From e6efde0bcb842a0e2ea875effede53741cc929de Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Sat, 8 Oct 2022 15:32:43 +0800 Subject: [PATCH 001/149] #2908 1. add medal category api 2. add medal api(list,operate) --- models/medal.go | 103 ++++++++++++++++++++++++++++++ models/medal_category.go | 79 +++++++++++++++++++++++ models/models.go | 2 + models/user_medal.go | 10 +++ routers/medal/category.go | 46 +++++++++++++ routers/medal/medal.go | 46 +++++++++++++ routers/routes/routes.go | 14 +++- services/admin/operate_log/operate_log.go | 38 +++++++++++ services/medal/category.go | 64 +++++++++++++++++++ services/medal/medal.go | 64 +++++++++++++++++++ 10 files changed, 465 insertions(+), 1 deletion(-) create mode 100644 models/medal.go create mode 100644 models/medal_category.go create mode 100644 models/user_medal.go create mode 100644 routers/medal/category.go create mode 100644 routers/medal/medal.go create mode 100644 services/medal/category.go create mode 100644 services/medal/medal.go diff --git a/models/medal.go b/models/medal.go new file mode 100644 index 000000000..d2508b3b1 --- /dev/null +++ b/models/medal.go @@ -0,0 +1,103 @@ +package models + +import ( + "code.gitea.io/gitea/modules/timeutil" + "xorm.io/builder" +) + +type Medal struct { + ID int64 `xorm:"pk autoincr"` + Name string + LightedIcon string `xorm:"varchar(2048)"` + GreyedIcon string `xorm:"varchar(2048)"` + Url string `xorm:"varchar(2048)"` + CategoryId int64 + CreatedUnix timeutil.TimeStamp `xorm:"created"` + UpdatedUnix timeutil.TimeStamp `xorm:"updated"` + DeletedAt timeutil.TimeStamp `xorm:"deleted"` +} + +type GetMedalOpts struct { + MedalType MedalType +} + +type MedalAndCategory struct { + Medal Medal `xorm:"extends"` + Category MedalCategory `xorm:"extends"` +} + +func (*MedalAndCategory) TableName() string { + return "medal" +} + +func (m *MedalAndCategory) ToShow() *Medal4Show { + return &Medal4Show{ + ID: m.Medal.ID, + Name: m.Medal.Name, + LightedIcon: m.Medal.LightedIcon, + GreyedIcon: m.Medal.GreyedIcon, + Url: m.Medal.Url, + CategoryName: m.Category.Name, + CategoryId: m.Category.ID, + CreatedUnix: m.Medal.CreatedUnix, + UpdatedUnix: m.Medal.UpdatedUnix, + } +} + +type Medal4Show struct { + ID int64 + Name string + LightedIcon string + GreyedIcon string + Url string + CategoryName string + CategoryId int64 + CreatedUnix timeutil.TimeStamp + UpdatedUnix timeutil.TimeStamp +} + +func (m Medal4Show) ToDTO() Medal { + return Medal{ + Name: m.Name, + LightedIcon: m.LightedIcon, + GreyedIcon: m.GreyedIcon, + Url: m.Url, + CategoryId: m.CategoryId, + } +} + +func GetMedalList(opts GetMedalOpts) ([]*MedalAndCategory, error) { + var cond = builder.NewCond() + if opts.MedalType > 0 { + cond = cond.And(builder.Eq{"medal_category.type": opts.MedalType}) + } + + r := make([]*MedalAndCategory, 0) + if err := x.Join("INNER", "medal_category", "medal_category.ID = medal.category_id").Where(cond).OrderBy("medal.created_unix desc").Find(&r); err != nil { + return nil, err + } + return r, nil +} + +func AddMedal(m Medal) (int64, error) { + return x.Insert(&m) +} + +func UpdateMedalById(id int64, param Medal) (int64, error) { + return x.ID(id).Update(¶m) +} + +func DelMedal(id int64) (int64, error) { + return x.ID(id).Delete(&Medal{}) +} + +func GetMedalById(id int64) (*Medal, error) { + m := &Medal{} + has, err := x.ID(id).Get(m) + if err != nil { + return nil, err + } else if !has { + return nil, &ErrRecordNotExist{} + } + return m, nil +} diff --git a/models/medal_category.go b/models/medal_category.go new file mode 100644 index 000000000..3c8769650 --- /dev/null +++ b/models/medal_category.go @@ -0,0 +1,79 @@ +package models + +import "code.gitea.io/gitea/modules/timeutil" + +type MedalType int + +const ( + CustomizeMedal = iota + 1 + SystemMedal +) + +type MedalCategory struct { + ID int64 `xorm:"pk autoincr"` + Name string + Position int64 + Type MedalType + CreatedUnix timeutil.TimeStamp `xorm:"created"` + UpdatedUnix timeutil.TimeStamp `xorm:"updated"` + DeletedAt timeutil.TimeStamp `xorm:"deleted"` +} + +func (m *MedalCategory) ToShow() *MedalCategory4Show { + return &MedalCategory4Show{ + ID: m.ID, + Name: m.Name, + Position: m.Position, + Type: m.Type, + CreatedUnix: m.CreatedUnix, + } +} + +type MedalCategory4Show struct { + ID int64 `xorm:"pk autoincr"` + Name string + Position int64 + Type MedalType + CreatedUnix timeutil.TimeStamp `xorm:"created"` +} + +func (m MedalCategory4Show) ToDTO() MedalCategory { + return MedalCategory{ + ID: m.ID, + Name: m.Name, + Position: m.Position, + Type: m.Type, + CreatedUnix: m.CreatedUnix, + } +} + +func GetMedalCategoryList() ([]*MedalCategory, error) { + r := make([]*MedalCategory, 0) + if err := x.OrderBy("position asc,created_unix desc").Find(&r); err != nil { + return nil, err + } + return r, nil +} + +func AddMedalCategory(m MedalCategory) (int64, error) { + return x.Insert(&m) +} + +func UpdateMedalCategoryById(id int64, param MedalCategory) (int64, error) { + return x.ID(id).Update(¶m) +} + +func DelMedalCategory(id int64) (int64, error) { + return x.ID(id).Delete(&MedalCategory{}) +} + +func GetMedalCategoryById(id int64) (*MedalCategory, error) { + m := &MedalCategory{} + has, err := x.ID(id).Get(m) + if err != nil { + return nil, err + } else if !has { + return nil, &ErrRecordNotExist{} + } + return m, nil +} diff --git a/models/models.go b/models/models.go index 4c2079cd8..910bfde65 100755 --- a/models/models.go +++ b/models/models.go @@ -161,6 +161,8 @@ func init() { new(CloudbrainSpec), new(CloudbrainTemp), new(DatasetReference), + new(MedalCategory), + new(Medal), ) tablesStatistic = append(tablesStatistic, diff --git a/models/user_medal.go b/models/user_medal.go new file mode 100644 index 000000000..a4421df13 --- /dev/null +++ b/models/user_medal.go @@ -0,0 +1,10 @@ +package models + +import "code.gitea.io/gitea/modules/timeutil" + +type UserMedal struct { + ID int64 `xorm:"pk autoincr"` + UserId int64 `xorm:"index"` + MedalId int64 `xorm:"index"` + CreatedUnix timeutil.TimeStamp `xorm:"created"` +} diff --git a/routers/medal/category.go b/routers/medal/category.go new file mode 100644 index 000000000..b010af586 --- /dev/null +++ b/routers/medal/category.go @@ -0,0 +1,46 @@ +package medal + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/routers/response" + "code.gitea.io/gitea/services/medal" + "errors" + "net/http" +) + +func GetCategoryList(ctx *context.Context) { + r, err := medal.GetMedalCategoryList() + if err != nil { + log.Error("GetCategoryList error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]interface{}) + m["List"] = r + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func OperateMedalCategory(ctx *context.Context, category models.MedalCategory4Show) { + action := ctx.Params(":action") + + var err error + switch action { + case "edit": + err = medal.EditMedalCategory(category, ctx.User) + case "new": + err = medal.AddMedalCategory(category, ctx.User) + case "del": + err = medal.DelMedalCategory(category.ID, ctx.User) + default: + err = errors.New("action type error") + } + + if err != nil { + log.Error("OperateMedalCategory error ,%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + ctx.JSON(http.StatusOK, response.Success()) +} diff --git a/routers/medal/medal.go b/routers/medal/medal.go new file mode 100644 index 000000000..d0625a2b4 --- /dev/null +++ b/routers/medal/medal.go @@ -0,0 +1,46 @@ +package medal + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/routers/response" + "code.gitea.io/gitea/services/medal" + "errors" + "net/http" +) + +func GetCustomizeMedalList(ctx *context.Context) { + r, err := medal.GetMedalList(models.GetMedalOpts{MedalType: models.CustomizeMedal}) + if err != nil { + log.Error("GetCategoryList error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]interface{}) + m["List"] = r + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func OperateMedal(ctx *context.Context, category models.Medal4Show) { + action := ctx.Params(":action") + + var err error + switch action { + case "edit": + err = medal.EditMedal(category, ctx.User) + case "new": + err = medal.AddMedal(category, ctx.User) + case "del": + err = medal.DelMedal(category.ID, ctx.User) + default: + err = errors.New("action type error") + } + + if err != nil { + log.Error("OperateCustomizeMedal error ,%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + ctx.JSON(http.StatusOK, response.Success()) +} diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 66a357c79..5830edfdc 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -6,6 +6,7 @@ package routes import ( "bytes" + "code.gitea.io/gitea/routers/medal" "code.gitea.io/gitea/routers/reward/point" "code.gitea.io/gitea/routers/task" "code.gitea.io/gitea/services/reward" @@ -659,9 +660,20 @@ func RegisterRoutes(m *macaron.Macaron) { m.Group("/task/config", func() { m.Get("/list", task.GetTaskConfigList) - m.Post("/add/batch", bindIgnErr(models.BatchLimitConfigVO{}), task.BatchAddTaskConfig) m.Post("/^:action(new|edit|del)$", bindIgnErr(models.TaskConfigWithLimit{}), task.OperateTaskConfig) }) + + m.Group("/medal", func() { + m.Group("/category", func() { + m.Get("/list", medal.GetCategoryList) + m.Post("/^:action(new|edit|del)$", bindIgnErr(models.MedalCategory4Show{}), medal.OperateMedalCategory) + }) + m.Group("/customize", func() { + m.Get("/list", medal.GetCustomizeMedalList) + }) + m.Post("/^:action(new|edit|del)$", bindIgnErr(models.Medal4Show{}), medal.OperateMedal) + }) + }, operationReq) // ***** END: Operation ***** diff --git a/services/admin/operate_log/operate_log.go b/services/admin/operate_log/operate_log.go index 7b72ec2e2..7f966db0c 100644 --- a/services/admin/operate_log/operate_log.go +++ b/services/admin/operate_log/operate_log.go @@ -4,6 +4,13 @@ import ( "code.gitea.io/gitea/models" ) +type LogBizType string + +const ( + MedalCategoryOperate LogBizType = "MedalCategoryOperate" + MedalOperate LogBizType = "MedalOperate" +) + func Log(log models.AdminOperateLog) error { _, err := models.InsertAdminOperateLog(log) return err @@ -12,3 +19,34 @@ func Log(log models.AdminOperateLog) error { func NewLogValues() *models.LogValues { return &models.LogValues{Params: make([]models.LogValue, 0)} } + +func Log4Add(bizType LogBizType, newValue interface{}, doerId int64, comment string) { + Log(models.AdminOperateLog{ + BizType: string(bizType), + OperateType: "add", + NewValue: NewLogValues().Add("new", newValue).JsonString(), + CreatedBy: doerId, + Comment: comment, + }) +} + +func Log4Edit(bizType LogBizType, oldValue interface{}, newValue interface{}, doerId int64, comment string) { + Log(models.AdminOperateLog{ + BizType: string(bizType), + OperateType: "edit", + NewValue: NewLogValues().Add("new", newValue).JsonString(), + OldValue: NewLogValues().Add("old", oldValue).JsonString(), + CreatedBy: doerId, + Comment: comment, + }) +} + +func Log4Del(bizType LogBizType, oldValue interface{}, doerId int64, comment string) { + Log(models.AdminOperateLog{ + BizType: string(bizType), + OperateType: "del", + OldValue: NewLogValues().Add("old", oldValue).JsonString(), + CreatedBy: doerId, + Comment: comment, + }) +} diff --git a/services/medal/category.go b/services/medal/category.go new file mode 100644 index 000000000..50f1b804e --- /dev/null +++ b/services/medal/category.go @@ -0,0 +1,64 @@ +package medal + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/services/admin/operate_log" + "errors" +) + +func GetMedalCategoryList() ([]*models.MedalCategory4Show, error) { + list, err := models.GetMedalCategoryList() + if err != nil { + return nil, err + } + if len(list) == 0 { + return nil, nil + } + r := make([]*models.MedalCategory4Show, len(list)) + for i := 0; i < len(list); i++ { + r[i] = list[i].ToShow() + } + + return r, nil +} + +func AddMedalCategory(m models.MedalCategory4Show, doer *models.User) error { + _, err := models.AddMedalCategory(m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Add(operate_log.MedalCategoryOperate, m, doer.ID, "新增了勋章分类") + return nil +} + +func EditMedalCategory(m models.MedalCategory4Show, doer *models.User) error { + if m.ID == 0 { + log.Error(" EditMedalCategory param error") + return errors.New("param error") + } + old, err := models.GetMedalCategoryById(m.ID) + if err != nil { + return err + } + _, err = models.UpdateMedalCategoryById(m.ID, m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Edit(operate_log.MedalCategoryOperate, old, m.ToDTO(), doer.ID, "修改了勋章分类") + return err +} + +func DelMedalCategory(id int64, doer *models.User) error { + if id == 0 { + log.Error(" DelMedalCategory param error") + return errors.New("param error") + } + old, err := models.GetMedalCategoryById(id) + if err != nil { + return err + } + _, err = models.DelMedalCategory(id) + operate_log.Log4Del(operate_log.MedalCategoryOperate, old, doer.ID, "删除了勋章分类") + return err +} diff --git a/services/medal/medal.go b/services/medal/medal.go new file mode 100644 index 000000000..967d7011f --- /dev/null +++ b/services/medal/medal.go @@ -0,0 +1,64 @@ +package medal + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/services/admin/operate_log" + "errors" +) + +func GetMedalList(opts models.GetMedalOpts) ([]*models.Medal4Show, error) { + list, err := models.GetMedalList(opts) + if err != nil { + return nil, err + } + if len(list) == 0 { + return nil, nil + } + r := make([]*models.Medal4Show, len(list)) + for i := 0; i < len(list); i++ { + r[i] = list[i].ToShow() + } + + return r, nil +} + +func AddMedal(m models.Medal4Show, doer *models.User) error { + _, err := models.AddMedal(m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Add(operate_log.MedalOperate, m, doer.ID, "新增了勋章") + return nil +} + +func EditMedal(m models.Medal4Show, doer *models.User) error { + if m.ID == 0 { + log.Error(" EditMedal param error") + return errors.New("param error") + } + old, err := models.GetMedalById(m.ID) + if err != nil { + return err + } + _, err = models.UpdateMedalById(m.ID, m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Edit(operate_log.MedalOperate, old, m.ToDTO(), doer.ID, "修改了勋章") + return err +} + +func DelMedal(id int64, doer *models.User) error { + if id == 0 { + log.Error(" DelMedal param error") + return errors.New("param error") + } + old, err := models.GetMedalById(id) + if err != nil { + return err + } + _, err = models.DelMedal(id) + operate_log.Log4Del(operate_log.MedalOperate, old, doer.ID, "删除了勋章") + return err +} From def6c11dbfaac24301ba1c1b8aa268cf55550d22 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Sun, 9 Oct 2022 18:07:57 +0800 Subject: [PATCH 002/149] #2908 1.medal-> badge 2.add badge user management 3.add badge in user profile --- models/badge.go | 137 +++++++++++++++++++++++ models/{medal_category.go => badge_category.go} | 38 +++---- models/badge_user.go | 140 ++++++++++++++++++++++++ models/medal.go | 103 ----------------- models/models.go | 6 +- models/user.go | 21 ++++ models/user_medal.go | 10 -- routers/badge/badge.go | 98 +++++++++++++++++ routers/{medal => badge}/category.go | 18 +-- routers/medal/medal.go | 46 -------- routers/routes/routes.go | 18 ++- routers/user/profile.go | 16 +++ services/admin/operate_log/operate_log.go | 4 +- services/badge/badge.go | 64 +++++++++++ services/badge/category.go | 64 +++++++++++ services/badge/user.go | 104 ++++++++++++++++++ services/medal/category.go | 64 ----------- services/medal/medal.go | 64 ----------- 18 files changed, 690 insertions(+), 325 deletions(-) create mode 100644 models/badge.go rename models/{medal_category.go => badge_category.go} (59%) create mode 100644 models/badge_user.go delete mode 100644 models/medal.go delete mode 100644 models/user_medal.go create mode 100644 routers/badge/badge.go rename routers/{medal => badge}/category.go (62%) delete mode 100644 routers/medal/medal.go create mode 100644 services/badge/badge.go create mode 100644 services/badge/category.go create mode 100644 services/badge/user.go delete mode 100644 services/medal/category.go delete mode 100644 services/medal/medal.go diff --git a/models/badge.go b/models/badge.go new file mode 100644 index 000000000..20e3ea66a --- /dev/null +++ b/models/badge.go @@ -0,0 +1,137 @@ +package models + +import ( + "code.gitea.io/gitea/modules/timeutil" + "xorm.io/builder" +) + +type Badge struct { + ID int64 `xorm:"pk autoincr"` + Name string + LightedIcon string `xorm:"varchar(2048)"` + GreyedIcon string `xorm:"varchar(2048)"` + Url string `xorm:"varchar(2048)"` + CategoryId int64 + CreatedUnix timeutil.TimeStamp `xorm:"created"` + UpdatedUnix timeutil.TimeStamp `xorm:"updated"` + DeletedAt timeutil.TimeStamp `xorm:"deleted"` +} + +func (m *Badge) ToUserShow() *Badge4UserShow { + return &Badge4UserShow{ + Name: m.Name, + LightedIcon: m.LightedIcon, + GreyedIcon: m.GreyedIcon, + Url: m.Url, + } +} + +type GetBadgeOpts struct { + BadgeType BadgeType +} + +type BadgeAndCategory struct { + Badge Badge `xorm:"extends"` + Category BadgeCategory `xorm:"extends"` +} + +func (*BadgeAndCategory) TableName() string { + return "badge" +} + +func (m *BadgeAndCategory) ToShow() *Badge4AdminShow { + return &Badge4AdminShow{ + ID: m.Badge.ID, + Name: m.Badge.Name, + LightedIcon: m.Badge.LightedIcon, + GreyedIcon: m.Badge.GreyedIcon, + Url: m.Badge.Url, + CategoryName: m.Category.Name, + CategoryId: m.Category.ID, + CreatedUnix: m.Badge.CreatedUnix, + UpdatedUnix: m.Badge.UpdatedUnix, + } +} + +type Badge4AdminShow struct { + ID int64 + Name string + LightedIcon string + GreyedIcon string + Url string + CategoryName string + CategoryId int64 + CreatedUnix timeutil.TimeStamp + UpdatedUnix timeutil.TimeStamp +} + +func (m Badge4AdminShow) ToDTO() Badge { + return Badge{ + Name: m.Name, + LightedIcon: m.LightedIcon, + GreyedIcon: m.GreyedIcon, + Url: m.Url, + CategoryId: m.CategoryId, + } +} + +type Badge4UserShow struct { + Name string + LightedIcon string + GreyedIcon string + Url string +} + +type BadgeShowWithStatus struct { + Badge *Badge4UserShow + IsLighted bool +} + +type UserAllBadgeInCategory struct { + CategoryName string + CategoryId int64 + LightedNum int + Badges []*BadgeShowWithStatus +} + +func GetBadgeList(opts GetBadgeOpts) ([]*BadgeAndCategory, error) { + var cond = builder.NewCond() + if opts.BadgeType > 0 { + cond = cond.And(builder.Eq{"badge_category.type": opts.BadgeType}) + } + + r := make([]*BadgeAndCategory, 0) + if err := x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).OrderBy("badge.created_unix desc").Find(&r); err != nil { + return nil, err + } + return r, nil +} + +func AddBadge(m Badge) (int64, error) { + return x.Insert(&m) +} + +func UpdateBadgeById(id int64, param Badge) (int64, error) { + return x.ID(id).Update(¶m) +} + +func DelBadge(id int64) (int64, error) { + return x.ID(id).Delete(&Badge{}) +} + +func GetBadgeById(id int64) (*Badge, error) { + m := &Badge{} + has, err := x.ID(id).Get(m) + if err != nil { + return nil, err + } else if !has { + return nil, &ErrRecordNotExist{} + } + return m, nil +} + +func GetBadgeByCategoryId(categoryId int64) ([]*Badge, error) { + r := make([]*Badge, 0) + err := x.Where("category_id = ?", categoryId).Find(&r) + return r, err +} diff --git a/models/medal_category.go b/models/badge_category.go similarity index 59% rename from models/medal_category.go rename to models/badge_category.go index 3c8769650..e8f90f6c1 100644 --- a/models/medal_category.go +++ b/models/badge_category.go @@ -2,25 +2,25 @@ package models import "code.gitea.io/gitea/modules/timeutil" -type MedalType int +type BadgeType int const ( - CustomizeMedal = iota + 1 - SystemMedal + CustomizeBadge = iota + 1 + SystemBadge ) -type MedalCategory struct { +type BadgeCategory struct { ID int64 `xorm:"pk autoincr"` Name string Position int64 - Type MedalType + Type BadgeType CreatedUnix timeutil.TimeStamp `xorm:"created"` UpdatedUnix timeutil.TimeStamp `xorm:"updated"` DeletedAt timeutil.TimeStamp `xorm:"deleted"` } -func (m *MedalCategory) ToShow() *MedalCategory4Show { - return &MedalCategory4Show{ +func (m *BadgeCategory) ToShow() *BadgeCategory4Show { + return &BadgeCategory4Show{ ID: m.ID, Name: m.Name, Position: m.Position, @@ -29,16 +29,16 @@ func (m *MedalCategory) ToShow() *MedalCategory4Show { } } -type MedalCategory4Show struct { +type BadgeCategory4Show struct { ID int64 `xorm:"pk autoincr"` Name string Position int64 - Type MedalType + Type BadgeType CreatedUnix timeutil.TimeStamp `xorm:"created"` } -func (m MedalCategory4Show) ToDTO() MedalCategory { - return MedalCategory{ +func (m BadgeCategory4Show) ToDTO() BadgeCategory { + return BadgeCategory{ ID: m.ID, Name: m.Name, Position: m.Position, @@ -47,28 +47,28 @@ func (m MedalCategory4Show) ToDTO() MedalCategory { } } -func GetMedalCategoryList() ([]*MedalCategory, error) { - r := make([]*MedalCategory, 0) +func GetBadgeCategoryList() ([]*BadgeCategory, error) { + r := make([]*BadgeCategory, 0) if err := x.OrderBy("position asc,created_unix desc").Find(&r); err != nil { return nil, err } return r, nil } -func AddMedalCategory(m MedalCategory) (int64, error) { +func AddBadgeCategory(m BadgeCategory) (int64, error) { return x.Insert(&m) } -func UpdateMedalCategoryById(id int64, param MedalCategory) (int64, error) { +func UpdateBadgeCategoryById(id int64, param BadgeCategory) (int64, error) { return x.ID(id).Update(¶m) } -func DelMedalCategory(id int64) (int64, error) { - return x.ID(id).Delete(&MedalCategory{}) +func DelBadgeCategory(id int64) (int64, error) { + return x.ID(id).Delete(&BadgeCategory{}) } -func GetMedalCategoryById(id int64) (*MedalCategory, error) { - m := &MedalCategory{} +func GetBadgeCategoryById(id int64) (*BadgeCategory, error) { + m := &BadgeCategory{} has, err := x.ID(id).Get(m) if err != nil { return nil, err diff --git a/models/badge_user.go b/models/badge_user.go new file mode 100644 index 000000000..b2428ab1a --- /dev/null +++ b/models/badge_user.go @@ -0,0 +1,140 @@ +package models + +import ( + "code.gitea.io/gitea/modules/timeutil" + "xorm.io/builder" +) + +const ( + ActionAddBadgeUser = 1 + ActionDelBadgeUser = 2 +) + +type BadgeUser struct { + ID int64 `xorm:"pk autoincr"` + UserId int64 `xorm:"unique(user_id,badge_id)"` + BadgeId int64 `xorm:"index"` + CreatedUnix timeutil.TimeStamp `xorm:"created index"` +} + +type BadgeUserLog struct { + ID int64 `xorm:"pk autoincr"` + UserId int64 `xorm:"index"` + BadgeId int64 `xorm:"index"` + Action int + CreatedUnix timeutil.TimeStamp `xorm:"created index"` +} + +type BadgeUserDetail struct { + BadgeUser BadgeUser `xorm:"extends"` + User User `xorm:"extends"` +} + +func (*BadgeUserDetail) TableName() string { + return "badge_user" +} + +func (m *BadgeUserDetail) ToShow() *BadgeUser4SHow { + return &BadgeUser4SHow{ + ID: m.BadgeUser.ID, + UserId: m.BadgeUser.UserId, + Name: m.User.Name, + Avatar: m.User.RelAvatarLink(), + Email: m.User.Email, + CreatedUnix: m.BadgeUser.CreatedUnix, + } +} + +type BadgeUser4SHow struct { + ID int64 + UserId int64 + Name string + Avatar string + Email string + CreatedUnix timeutil.TimeStamp +} + +type AddBadgeUsersReq struct { + BadgeId int64 + Users string +} +type DelBadgeUserReq struct { + ID int64 +} + +type GetUserBadgesOpts struct { + CategoryId int64 + ListOptions +} + +func AddBadgeUser(m BadgeUser) (int64, error) { + sess := x.NewSession() + defer sess.Close() + sess.Begin() + n, err := sess.Insert(&m) + if err != nil || n == 0 { + return 0, err + } + _, err = sess.Insert(&BadgeUserLog{ + UserId: m.UserId, + BadgeId: m.BadgeId, + Action: ActionAddBadgeUser, + }) + if err != nil { + sess.Rollback() + return 0, err + } + return n, sess.Commit() +} + +func DelBadgeUser(id int64) (int64, error) { + m := BadgeUser{} + has, err := x.ID(id).Get(&m) + if err != nil { + return 0, err + } + if !has { + return 0, ErrRecordNotExist{} + } + sess := x.NewSession() + defer sess.Close() + sess.Begin() + n, err := x.ID(m.ID).Delete(&BadgeUser{}) + if err != nil || n == 0 { + return 0, err + } + _, err = sess.Insert(&BadgeUserLog{ + UserId: m.UserId, + BadgeId: m.BadgeId, + Action: ActionDelBadgeUser, + }) + if err != nil { + sess.Rollback() + return 0, err + } + return n, sess.Commit() +} + +func GetBadgeUsers(badgeId int64, opts ListOptions) ([]BadgeUserDetail, error) { + if opts.Page <= 0 { + opts.Page = 1 + } + m := make([]BadgeUserDetail, 0) + err := x.Join("LEFT", "public.user", "public.user.ID = badge_user.user_id").Where("badge_user.badge_id = ?", badgeId).OrderBy("badge_user.created_unix desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&m) + if err != nil { + return nil, err + } + return m, nil +} + +func GetUserBadges(userId int64, opts GetUserBadgesOpts) ([]*Badge, error) { + cond := builder.NewCond() + cond = cond.And(builder.Eq{"badge_user.user_id": userId}) + if opts.CategoryId > 0 { + cond = cond.And(builder.Eq{"badge.category_id": opts.CategoryId}) + } + + r := make([]*Badge, 0) + err := x.Join("INNER", "badge_user", "badge_user.badge_id = badge.id").Where(cond).OrderBy("badge_user.created_unix desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&r) + return r, err +} diff --git a/models/medal.go b/models/medal.go deleted file mode 100644 index d2508b3b1..000000000 --- a/models/medal.go +++ /dev/null @@ -1,103 +0,0 @@ -package models - -import ( - "code.gitea.io/gitea/modules/timeutil" - "xorm.io/builder" -) - -type Medal struct { - ID int64 `xorm:"pk autoincr"` - Name string - LightedIcon string `xorm:"varchar(2048)"` - GreyedIcon string `xorm:"varchar(2048)"` - Url string `xorm:"varchar(2048)"` - CategoryId int64 - CreatedUnix timeutil.TimeStamp `xorm:"created"` - UpdatedUnix timeutil.TimeStamp `xorm:"updated"` - DeletedAt timeutil.TimeStamp `xorm:"deleted"` -} - -type GetMedalOpts struct { - MedalType MedalType -} - -type MedalAndCategory struct { - Medal Medal `xorm:"extends"` - Category MedalCategory `xorm:"extends"` -} - -func (*MedalAndCategory) TableName() string { - return "medal" -} - -func (m *MedalAndCategory) ToShow() *Medal4Show { - return &Medal4Show{ - ID: m.Medal.ID, - Name: m.Medal.Name, - LightedIcon: m.Medal.LightedIcon, - GreyedIcon: m.Medal.GreyedIcon, - Url: m.Medal.Url, - CategoryName: m.Category.Name, - CategoryId: m.Category.ID, - CreatedUnix: m.Medal.CreatedUnix, - UpdatedUnix: m.Medal.UpdatedUnix, - } -} - -type Medal4Show struct { - ID int64 - Name string - LightedIcon string - GreyedIcon string - Url string - CategoryName string - CategoryId int64 - CreatedUnix timeutil.TimeStamp - UpdatedUnix timeutil.TimeStamp -} - -func (m Medal4Show) ToDTO() Medal { - return Medal{ - Name: m.Name, - LightedIcon: m.LightedIcon, - GreyedIcon: m.GreyedIcon, - Url: m.Url, - CategoryId: m.CategoryId, - } -} - -func GetMedalList(opts GetMedalOpts) ([]*MedalAndCategory, error) { - var cond = builder.NewCond() - if opts.MedalType > 0 { - cond = cond.And(builder.Eq{"medal_category.type": opts.MedalType}) - } - - r := make([]*MedalAndCategory, 0) - if err := x.Join("INNER", "medal_category", "medal_category.ID = medal.category_id").Where(cond).OrderBy("medal.created_unix desc").Find(&r); err != nil { - return nil, err - } - return r, nil -} - -func AddMedal(m Medal) (int64, error) { - return x.Insert(&m) -} - -func UpdateMedalById(id int64, param Medal) (int64, error) { - return x.ID(id).Update(¶m) -} - -func DelMedal(id int64) (int64, error) { - return x.ID(id).Delete(&Medal{}) -} - -func GetMedalById(id int64) (*Medal, error) { - m := &Medal{} - has, err := x.ID(id).Get(m) - if err != nil { - return nil, err - } else if !has { - return nil, &ErrRecordNotExist{} - } - return m, nil -} diff --git a/models/models.go b/models/models.go index 910bfde65..ff64bfad2 100755 --- a/models/models.go +++ b/models/models.go @@ -161,8 +161,10 @@ func init() { new(CloudbrainSpec), new(CloudbrainTemp), new(DatasetReference), - new(MedalCategory), - new(Medal), + new(BadgeCategory), + new(Badge), + new(BadgeUser), + new(BadgeUserLog), ) tablesStatistic = append(tablesStatistic, diff --git a/models/user.go b/models/user.go index f40eb699f..b21858e37 100755 --- a/models/user.go +++ b/models/user.go @@ -2184,3 +2184,24 @@ func GetBlockChainUnSuccessUsers() ([]*User, error) { Find(&users) return users, err } + +//GetUserIdsByUserNames Get userIDs in batches through username paging, this method will ignore errors +func GetUserIdsByUserNames(names []string) []int64 { + pageSize := 200 + length := len(names) + r := make([]int64, 0, length) + for i := 0; i < length; i = i + pageSize { + if length-i < 200 { + pageSize = length - i + } + userNameTemp := names[i : i+pageSize] + t := make([]int64, 0, length) + err := x.Table("public.user").Cols("id").In("name", userNameTemp).Find(&t) + if err != nil { + continue + } + r = append(r, t...) + + } + return r +} diff --git a/models/user_medal.go b/models/user_medal.go deleted file mode 100644 index a4421df13..000000000 --- a/models/user_medal.go +++ /dev/null @@ -1,10 +0,0 @@ -package models - -import "code.gitea.io/gitea/modules/timeutil" - -type UserMedal struct { - ID int64 `xorm:"pk autoincr"` - UserId int64 `xorm:"index"` - MedalId int64 `xorm:"index"` - CreatedUnix timeutil.TimeStamp `xorm:"created"` -} diff --git a/routers/badge/badge.go b/routers/badge/badge.go new file mode 100644 index 000000000..c62c1ee74 --- /dev/null +++ b/routers/badge/badge.go @@ -0,0 +1,98 @@ +package badge + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/routers/response" + "code.gitea.io/gitea/services/badge" + "errors" + "net/http" + "strings" +) + +func GetCustomizeBadgeList(ctx *context.Context) { + r, err := badge.GetBadgeList(models.GetBadgeOpts{BadgeType: models.CustomizeBadge}) + if err != nil { + log.Error("GetCustomizeBadgeList error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]interface{}) + m["List"] = r + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func OperateBadge(ctx *context.Context, category models.Badge4AdminShow) { + action := ctx.Params(":action") + + var err error + switch action { + case "edit": + err = badge.EditBadge(category, ctx.User) + case "new": + err = badge.AddBadge(category, ctx.User) + case "del": + err = badge.DelBadge(category.ID, ctx.User) + default: + err = errors.New("action type error") + } + + if err != nil { + log.Error("OperateBadge error ,%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + ctx.JSON(http.StatusOK, response.Success()) +} + +func GetBadgeUsers(ctx *context.Context) { + page := ctx.QueryInt("page") + badgeId := ctx.QueryInt64("badge") + r, err := badge.GetBadgeUsers(badgeId, models.ListOptions{PageSize: 20, Page: page}) + if err != nil { + log.Error("GetBadgeUsers error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]interface{}) + m["List"] = r + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func AddOperateBadgeUsers(ctx *context.Context, req models.AddBadgeUsersReq) { + userStr := req.Users + if userStr == "" { + ctx.JSON(http.StatusOK, response.Success()) + return + } + userStr = strings.ReplaceAll(userStr, " ", "") + userStr = strings.ReplaceAll(userStr, "\r", "") + userNames := strings.Split(userStr, "\n") + n, err := badge.AddBadgeUsers(req.BadgeId, userNames) + if err != nil { + log.Error("AddOperateBadgeUsers error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]interface{}) + m["Total"] = len(userNames) + m["Success"] = n + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func DelBadgeUsers(ctx *context.Context, req models.DelBadgeUserReq) { + id := req.ID + if id <= 0 { + ctx.JSON(http.StatusOK, response.Success()) + return + } + + err := badge.DelBadgeUser(id) + if err != nil { + log.Error("DelBadgeUsers error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + ctx.JSON(http.StatusOK, response.Success()) +} diff --git a/routers/medal/category.go b/routers/badge/category.go similarity index 62% rename from routers/medal/category.go rename to routers/badge/category.go index b010af586..a386f8fc5 100644 --- a/routers/medal/category.go +++ b/routers/badge/category.go @@ -1,17 +1,17 @@ -package medal +package badge import ( "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/routers/response" - "code.gitea.io/gitea/services/medal" + "code.gitea.io/gitea/services/badge" "errors" "net/http" ) -func GetCategoryList(ctx *context.Context) { - r, err := medal.GetMedalCategoryList() +func GetBadgeCategoryList(ctx *context.Context) { + r, err := badge.GetBadgeCategoryList() if err != nil { log.Error("GetCategoryList error.%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) @@ -22,23 +22,23 @@ func GetCategoryList(ctx *context.Context) { ctx.JSON(http.StatusOK, response.SuccessWithData(m)) } -func OperateMedalCategory(ctx *context.Context, category models.MedalCategory4Show) { +func OperateBadgeCategory(ctx *context.Context, category models.BadgeCategory4Show) { action := ctx.Params(":action") var err error switch action { case "edit": - err = medal.EditMedalCategory(category, ctx.User) + err = badge.EditBadgeCategory(category, ctx.User) case "new": - err = medal.AddMedalCategory(category, ctx.User) + err = badge.AddBadgeCategory(category, ctx.User) case "del": - err = medal.DelMedalCategory(category.ID, ctx.User) + err = badge.DelBadgeCategory(category.ID, ctx.User) default: err = errors.New("action type error") } if err != nil { - log.Error("OperateMedalCategory error ,%v", err) + log.Error("OperateBadgeCategory error ,%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) return } diff --git a/routers/medal/medal.go b/routers/medal/medal.go deleted file mode 100644 index d0625a2b4..000000000 --- a/routers/medal/medal.go +++ /dev/null @@ -1,46 +0,0 @@ -package medal - -import ( - "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/context" - "code.gitea.io/gitea/modules/log" - "code.gitea.io/gitea/routers/response" - "code.gitea.io/gitea/services/medal" - "errors" - "net/http" -) - -func GetCustomizeMedalList(ctx *context.Context) { - r, err := medal.GetMedalList(models.GetMedalOpts{MedalType: models.CustomizeMedal}) - if err != nil { - log.Error("GetCategoryList error.%v", err) - ctx.JSON(http.StatusOK, response.ServerError(err.Error())) - return - } - m := make(map[string]interface{}) - m["List"] = r - ctx.JSON(http.StatusOK, response.SuccessWithData(m)) -} - -func OperateMedal(ctx *context.Context, category models.Medal4Show) { - action := ctx.Params(":action") - - var err error - switch action { - case "edit": - err = medal.EditMedal(category, ctx.User) - case "new": - err = medal.AddMedal(category, ctx.User) - case "del": - err = medal.DelMedal(category.ID, ctx.User) - default: - err = errors.New("action type error") - } - - if err != nil { - log.Error("OperateCustomizeMedal error ,%v", err) - ctx.JSON(http.StatusOK, response.ServerError(err.Error())) - return - } - ctx.JSON(http.StatusOK, response.Success()) -} diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 5830edfdc..14f2d0f74 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -6,7 +6,7 @@ package routes import ( "bytes" - "code.gitea.io/gitea/routers/medal" + "code.gitea.io/gitea/routers/badge" "code.gitea.io/gitea/routers/reward/point" "code.gitea.io/gitea/routers/task" "code.gitea.io/gitea/services/reward" @@ -663,15 +663,21 @@ func RegisterRoutes(m *macaron.Macaron) { m.Post("/^:action(new|edit|del)$", bindIgnErr(models.TaskConfigWithLimit{}), task.OperateTaskConfig) }) - m.Group("/medal", func() { + m.Group("/badge", func() { m.Group("/category", func() { - m.Get("/list", medal.GetCategoryList) - m.Post("/^:action(new|edit|del)$", bindIgnErr(models.MedalCategory4Show{}), medal.OperateMedalCategory) + m.Get("/list", badge.GetBadgeCategoryList) + m.Post("/^:action(new|edit|del)$", bindIgnErr(models.BadgeCategory4Show{}), badge.OperateBadgeCategory) }) m.Group("/customize", func() { - m.Get("/list", medal.GetCustomizeMedalList) + m.Get("/list", badge.GetCustomizeBadgeList) + + }) + m.Group("/users", func() { + m.Get("", badge.GetBadgeUsers) + m.Post("/add", bindIgnErr(models.AddBadgeUsersReq{}), badge.AddOperateBadgeUsers) + m.Post("/del", bindIgnErr(models.DelBadgeUserReq{}), badge.DelBadgeUsers) }) - m.Post("/^:action(new|edit|del)$", bindIgnErr(models.Medal4Show{}), medal.OperateMedal) + m.Post("/^:action(new|edit|del)$", bindIgnErr(models.Badge4AdminShow{}), badge.OperateBadge) }) }, operationReq) diff --git a/routers/user/profile.go b/routers/user/profile.go index 42cdfd1a8..1d275c191 100755 --- a/routers/user/profile.go +++ b/routers/user/profile.go @@ -6,6 +6,7 @@ package user import ( + "code.gitea.io/gitea/services/badge" "errors" "fmt" "path" @@ -90,10 +91,18 @@ func Profile(ctx *context.Context) { return } + // Show user badges + badges, err := badge.GetUserBadges(ctxUser.ID, models.ListOptions{Page: 1, PageSize: 5}) + if err != nil { + ctx.ServerError("GetUserBadges", err) + return + } + ctx.Data["Title"] = ctxUser.DisplayName() ctx.Data["PageIsUserProfile"] = true ctx.Data["Owner"] = ctxUser ctx.Data["OpenIDs"] = openIDs + ctx.Data["RecentBadges"] = badges ctx.Data["EnableHeatmap"] = setting.Service.EnableUserHeatmap ctx.Data["HeatmapUser"] = ctxUser.Name showPrivate := ctx.IsSigned && (ctx.User.IsAdmin || ctx.User.ID == ctxUser.ID) @@ -297,6 +306,13 @@ func Profile(ctx *context.Context) { } total = int(count) + case "badge": + allBadges, err := badge.GetUserAllBadges(ctxUser.ID) + if err != nil { + ctx.ServerError("GetUserAllBadges", err) + return + } + ctx.Data["AllBadges"] = allBadges default: ctx.ServerError("tab error", errors.New("tab error")) return diff --git a/services/admin/operate_log/operate_log.go b/services/admin/operate_log/operate_log.go index 7f966db0c..f52950351 100644 --- a/services/admin/operate_log/operate_log.go +++ b/services/admin/operate_log/operate_log.go @@ -7,8 +7,8 @@ import ( type LogBizType string const ( - MedalCategoryOperate LogBizType = "MedalCategoryOperate" - MedalOperate LogBizType = "MedalOperate" + BadgeCategoryOperate LogBizType = "BadgeCategoryOperate" + BadgeOperate LogBizType = "BadgeOperate" ) func Log(log models.AdminOperateLog) error { diff --git a/services/badge/badge.go b/services/badge/badge.go new file mode 100644 index 000000000..83c3581b5 --- /dev/null +++ b/services/badge/badge.go @@ -0,0 +1,64 @@ +package badge + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/services/admin/operate_log" + "errors" +) + +func GetBadgeList(opts models.GetBadgeOpts) ([]*models.Badge4AdminShow, error) { + list, err := models.GetBadgeList(opts) + if err != nil { + return nil, err + } + if len(list) == 0 { + return nil, nil + } + r := make([]*models.Badge4AdminShow, len(list)) + for i := 0; i < len(list); i++ { + r[i] = list[i].ToShow() + } + + return r, nil +} + +func AddBadge(m models.Badge4AdminShow, doer *models.User) error { + _, err := models.AddBadge(m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Add(operate_log.BadgeOperate, m, doer.ID, "新增了勋章") + return nil +} + +func EditBadge(m models.Badge4AdminShow, doer *models.User) error { + if m.ID == 0 { + log.Error(" EditBadge param error") + return errors.New("param error") + } + old, err := models.GetBadgeById(m.ID) + if err != nil { + return err + } + _, err = models.UpdateBadgeById(m.ID, m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Edit(operate_log.BadgeOperate, old, m.ToDTO(), doer.ID, "修改了勋章") + return err +} + +func DelBadge(id int64, doer *models.User) error { + if id == 0 { + log.Error(" DelBadge param error") + return errors.New("param error") + } + old, err := models.GetBadgeById(id) + if err != nil { + return err + } + _, err = models.DelBadge(id) + operate_log.Log4Del(operate_log.BadgeOperate, old, doer.ID, "删除了勋章") + return err +} diff --git a/services/badge/category.go b/services/badge/category.go new file mode 100644 index 000000000..316e654a7 --- /dev/null +++ b/services/badge/category.go @@ -0,0 +1,64 @@ +package badge + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/services/admin/operate_log" + "errors" +) + +func GetBadgeCategoryList() ([]*models.BadgeCategory4Show, error) { + list, err := models.GetBadgeCategoryList() + if err != nil { + return nil, err + } + if len(list) == 0 { + return nil, nil + } + r := make([]*models.BadgeCategory4Show, len(list)) + for i := 0; i < len(list); i++ { + r[i] = list[i].ToShow() + } + + return r, nil +} + +func AddBadgeCategory(m models.BadgeCategory4Show, doer *models.User) error { + _, err := models.AddBadgeCategory(m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Add(operate_log.BadgeCategoryOperate, m, doer.ID, "新增了勋章分类") + return nil +} + +func EditBadgeCategory(m models.BadgeCategory4Show, doer *models.User) error { + if m.ID == 0 { + log.Error(" EditBadgeCategory param error") + return errors.New("param error") + } + old, err := models.GetBadgeCategoryById(m.ID) + if err != nil { + return err + } + _, err = models.UpdateBadgeCategoryById(m.ID, m.ToDTO()) + if err != nil { + return err + } + operate_log.Log4Edit(operate_log.BadgeCategoryOperate, old, m.ToDTO(), doer.ID, "修改了勋章分类") + return err +} + +func DelBadgeCategory(id int64, doer *models.User) error { + if id == 0 { + log.Error(" DelBadgeCategory param error") + return errors.New("param error") + } + old, err := models.GetBadgeCategoryById(id) + if err != nil { + return err + } + _, err = models.DelBadgeCategory(id) + operate_log.Log4Del(operate_log.BadgeCategoryOperate, old, doer.ID, "删除了勋章分类") + return err +} diff --git a/services/badge/user.go b/services/badge/user.go new file mode 100644 index 000000000..ccc112f01 --- /dev/null +++ b/services/badge/user.go @@ -0,0 +1,104 @@ +package badge + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" +) + +func GetBadgeUsers(badgeId int64, opts models.ListOptions) ([]*models.BadgeUser4SHow, error) { + list, err := models.GetBadgeUsers(badgeId, opts) + if err != nil { + return nil, err + } + if len(list) == 0 { + return nil, nil + } + r := make([]*models.BadgeUser4SHow, len(list)) + for i := 0; i < len(list); i++ { + r[i] = list[i].ToShow() + } + + return r, nil +} + +func AddBadgeUsers(badgeId int64, userNames []string) (int, error) { + userIds := models.GetUserIdsByUserNames(userNames) + if len(userIds) == 0 { + return 0, nil + } + successCount := 0 + for _, v := range userIds { + m := models.BadgeUser{ + UserId: v, + BadgeId: badgeId, + } + _, err := models.AddBadgeUser(m) + if err != nil { + log.Error("AddBadgeUser err in loop, m=%+v. e=%v", m, err) + continue + } + successCount++ + } + return successCount, nil +} + +func DelBadgeUser(id int64) error { + _, err := models.DelBadgeUser(id) + return err +} + +//GetUserBadges Only Returns badges the user has earned +func GetUserBadges(userId int64, opts models.ListOptions) ([]*models.Badge4UserShow, error) { + badges, err := models.GetUserBadges(userId, models.GetUserBadgesOpts{ListOptions: opts}) + if err != nil { + return nil, err + } + r := make([]*models.Badge4UserShow, len(badges)) + for i, v := range badges { + r[i] = v.ToUserShow() + } + return r, nil +} + +func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { + categoryList, err := models.GetBadgeCategoryList() + if err != nil { + return nil, err + } + r := make([]models.UserAllBadgeInCategory, len(categoryList)) + for i, v := range categoryList { + badges, err := models.GetBadgeByCategoryId(v.ID) + userBadgeMap, err := getUserBadgesMap(userId, v.ID, 100, 1) + if err != nil { + return nil, err + } + t := models.UserAllBadgeInCategory{ + CategoryName: v.Name, + CategoryId: v.ID, + LightedNum: len(userBadgeMap), + } + bArray := make([]*models.BadgeShowWithStatus, len(badges)) + for j, v := range badges { + b := &models.BadgeShowWithStatus{Badge: v.ToUserShow()} + if _, has := userBadgeMap[v.ID]; has { + b.IsLighted = true + } + bArray[j] = b + } + t.Badges = bArray + r[i] = t + } + return r, nil +} + +func getUserBadgesMap(userId, categoryId int64, pageSize, page int) (map[int64]*models.Badge, error) { + userBadges, err := models.GetUserBadges(userId, models.GetUserBadgesOpts{ListOptions: models.ListOptions{PageSize: pageSize, Page: page}, CategoryId: categoryId}) + if err != nil { + return nil, err + } + m := make(map[int64]*models.Badge, 0) + for _, v := range userBadges { + m[v.ID] = v + } + return m, nil +} diff --git a/services/medal/category.go b/services/medal/category.go deleted file mode 100644 index 50f1b804e..000000000 --- a/services/medal/category.go +++ /dev/null @@ -1,64 +0,0 @@ -package medal - -import ( - "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/log" - "code.gitea.io/gitea/services/admin/operate_log" - "errors" -) - -func GetMedalCategoryList() ([]*models.MedalCategory4Show, error) { - list, err := models.GetMedalCategoryList() - if err != nil { - return nil, err - } - if len(list) == 0 { - return nil, nil - } - r := make([]*models.MedalCategory4Show, len(list)) - for i := 0; i < len(list); i++ { - r[i] = list[i].ToShow() - } - - return r, nil -} - -func AddMedalCategory(m models.MedalCategory4Show, doer *models.User) error { - _, err := models.AddMedalCategory(m.ToDTO()) - if err != nil { - return err - } - operate_log.Log4Add(operate_log.MedalCategoryOperate, m, doer.ID, "新增了勋章分类") - return nil -} - -func EditMedalCategory(m models.MedalCategory4Show, doer *models.User) error { - if m.ID == 0 { - log.Error(" EditMedalCategory param error") - return errors.New("param error") - } - old, err := models.GetMedalCategoryById(m.ID) - if err != nil { - return err - } - _, err = models.UpdateMedalCategoryById(m.ID, m.ToDTO()) - if err != nil { - return err - } - operate_log.Log4Edit(operate_log.MedalCategoryOperate, old, m.ToDTO(), doer.ID, "修改了勋章分类") - return err -} - -func DelMedalCategory(id int64, doer *models.User) error { - if id == 0 { - log.Error(" DelMedalCategory param error") - return errors.New("param error") - } - old, err := models.GetMedalCategoryById(id) - if err != nil { - return err - } - _, err = models.DelMedalCategory(id) - operate_log.Log4Del(operate_log.MedalCategoryOperate, old, doer.ID, "删除了勋章分类") - return err -} diff --git a/services/medal/medal.go b/services/medal/medal.go deleted file mode 100644 index 967d7011f..000000000 --- a/services/medal/medal.go +++ /dev/null @@ -1,64 +0,0 @@ -package medal - -import ( - "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/log" - "code.gitea.io/gitea/services/admin/operate_log" - "errors" -) - -func GetMedalList(opts models.GetMedalOpts) ([]*models.Medal4Show, error) { - list, err := models.GetMedalList(opts) - if err != nil { - return nil, err - } - if len(list) == 0 { - return nil, nil - } - r := make([]*models.Medal4Show, len(list)) - for i := 0; i < len(list); i++ { - r[i] = list[i].ToShow() - } - - return r, nil -} - -func AddMedal(m models.Medal4Show, doer *models.User) error { - _, err := models.AddMedal(m.ToDTO()) - if err != nil { - return err - } - operate_log.Log4Add(operate_log.MedalOperate, m, doer.ID, "新增了勋章") - return nil -} - -func EditMedal(m models.Medal4Show, doer *models.User) error { - if m.ID == 0 { - log.Error(" EditMedal param error") - return errors.New("param error") - } - old, err := models.GetMedalById(m.ID) - if err != nil { - return err - } - _, err = models.UpdateMedalById(m.ID, m.ToDTO()) - if err != nil { - return err - } - operate_log.Log4Edit(operate_log.MedalOperate, old, m.ToDTO(), doer.ID, "修改了勋章") - return err -} - -func DelMedal(id int64, doer *models.User) error { - if id == 0 { - log.Error(" DelMedal param error") - return errors.New("param error") - } - old, err := models.GetMedalById(id) - if err != nil { - return err - } - _, err = models.DelMedal(id) - operate_log.Log4Del(operate_log.MedalOperate, old, doer.ID, "删除了勋章") - return err -} From 9300604644d4b8f90ac9433959d1d3c3c961e985 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Mon, 10 Oct 2022 17:00:21 +0800 Subject: [PATCH 003/149] #2908 1.add icon upload api 2.fix bug --- models/badge.go | 58 ++++++++++++++++++++---- models/badge_category.go | 17 ++++++- models/badge_user.go | 32 +++++++++---- modules/setting/setting.go | 15 +++++++ routers/badge/badge.go | 48 +++++++++++++++++--- routers/badge/category.go | 6 ++- routers/routes/routes.go | 16 +++++-- routers/user/profile.go | 6 +++ services/badge/badge.go | 24 ++++++---- services/badge/category.go | 10 ++--- services/badge/icon.go | 109 +++++++++++++++++++++++++++++++++++++++++++++ services/badge/user.go | 21 +++++---- 12 files changed, 312 insertions(+), 50 deletions(-) create mode 100644 services/badge/icon.go diff --git a/models/badge.go b/models/badge.go index 20e3ea66a..7e20ab2d4 100644 --- a/models/badge.go +++ b/models/badge.go @@ -1,7 +1,10 @@ package models import ( + "code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/modules/timeutil" + "path/filepath" + "strings" "xorm.io/builder" ) @@ -20,14 +23,15 @@ type Badge struct { func (m *Badge) ToUserShow() *Badge4UserShow { return &Badge4UserShow{ Name: m.Name, - LightedIcon: m.LightedIcon, - GreyedIcon: m.GreyedIcon, + LightedIcon: GetIconOuterLink(m.LightedIcon), + GreyedIcon: GetIconOuterLink(m.GreyedIcon), Url: m.Url, } } type GetBadgeOpts struct { BadgeType BadgeType + LO ListOptions } type BadgeAndCategory struct { @@ -43,8 +47,8 @@ func (m *BadgeAndCategory) ToShow() *Badge4AdminShow { return &Badge4AdminShow{ ID: m.Badge.ID, Name: m.Badge.Name, - LightedIcon: m.Badge.LightedIcon, - GreyedIcon: m.Badge.GreyedIcon, + LightedIcon: GetIconOuterLink(m.Badge.LightedIcon), + GreyedIcon: GetIconOuterLink(m.Badge.GreyedIcon), Url: m.Badge.Url, CategoryName: m.Category.Name, CategoryId: m.Category.ID, @@ -75,6 +79,25 @@ func (m Badge4AdminShow) ToDTO() Badge { } } +type BadgeOperateReq struct { + ID int64 + Name string + LightedIcon string + GreyedIcon string + Url string + CategoryId int64 +} + +func (m BadgeOperateReq) ToDTO() Badge { + return Badge{ + Name: m.Name, + LightedIcon: m.LightedIcon, + GreyedIcon: m.GreyedIcon, + Url: m.Url, + CategoryId: m.CategoryId, + } +} + type Badge4UserShow struct { Name string LightedIcon string @@ -94,17 +117,23 @@ type UserAllBadgeInCategory struct { Badges []*BadgeShowWithStatus } -func GetBadgeList(opts GetBadgeOpts) ([]*BadgeAndCategory, error) { +func GetBadgeList(opts GetBadgeOpts) (int64, []*BadgeAndCategory, error) { + if opts.LO.Page <= 0 { + opts.LO.Page = 1 + } var cond = builder.NewCond() if opts.BadgeType > 0 { cond = cond.And(builder.Eq{"badge_category.type": opts.BadgeType}) } - + n, err := x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).Count(&BadgeAndCategory{}) + if err != nil { + return 0, nil, err + } r := make([]*BadgeAndCategory, 0) - if err := x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).OrderBy("badge.created_unix desc").Find(&r); err != nil { - return nil, err + if err = x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).OrderBy("badge.created_unix desc").Limit(opts.LO.PageSize, (opts.LO.Page-1)*opts.LO.PageSize).Find(&r); err != nil { + return 0, nil, err } - return r, nil + return n, r, nil } func AddBadge(m Badge) (int64, error) { @@ -135,3 +164,14 @@ func GetBadgeByCategoryId(categoryId int64) ([]*Badge, error) { err := x.Where("category_id = ?", categoryId).Find(&r) return r, err } + +func GetCustomIconByHash(hash string) string { + if len(hash) == 0 { + return "" + } + return filepath.Join(setting.IconUploadPath, hash) +} + +func GetIconOuterLink(hash string) string { + return strings.TrimRight(setting.AppSubURL, "/") + "/show/icon/" + hash +} diff --git a/models/badge_category.go b/models/badge_category.go index e8f90f6c1..069fb6b10 100644 --- a/models/badge_category.go +++ b/models/badge_category.go @@ -47,6 +47,21 @@ func (m BadgeCategory4Show) ToDTO() BadgeCategory { } } +func GetBadgeCategoryListPaging(opts ListOptions) (int64, []*BadgeCategory, error) { + n, err := x.Count(&BadgeCategory{}) + if err != nil { + return 0, nil, err + } + if opts.Page <= 0 { + opts.Page = 1 + } + r := make([]*BadgeCategory, 0) + if err := x.OrderBy("position asc,created_unix desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&r); err != nil { + return 0, nil, err + } + return n, r, nil +} + func GetBadgeCategoryList() ([]*BadgeCategory, error) { r := make([]*BadgeCategory, 0) if err := x.OrderBy("position asc,created_unix desc").Find(&r); err != nil { @@ -73,7 +88,7 @@ func GetBadgeCategoryById(id int64) (*BadgeCategory, error) { if err != nil { return nil, err } else if !has { - return nil, &ErrRecordNotExist{} + return nil, ErrRecordNotExist{} } return m, nil } diff --git a/models/badge_user.go b/models/badge_user.go index b2428ab1a..32861248e 100644 --- a/models/badge_user.go +++ b/models/badge_user.go @@ -12,8 +12,8 @@ const ( type BadgeUser struct { ID int64 `xorm:"pk autoincr"` - UserId int64 `xorm:"unique(user_id,badge_id)"` - BadgeId int64 `xorm:"index"` + UserId int64 `xorm:"unique(user_badge)"` + BadgeId int64 `xorm:"unique(user_badge) index"` CreatedUnix timeutil.TimeStamp `xorm:"created index"` } @@ -115,19 +115,23 @@ func DelBadgeUser(id int64) (int64, error) { return n, sess.Commit() } -func GetBadgeUsers(badgeId int64, opts ListOptions) ([]BadgeUserDetail, error) { +func GetBadgeUsers(badgeId int64, opts ListOptions) (int64, []BadgeUserDetail, error) { + n, err := x.Join("LEFT", "public.user", "public.user.ID = badge_user.user_id").Where("badge_user.badge_id = ?", badgeId).Count(&BadgeUserDetail{}) + if err != nil { + return 0, nil, err + } if opts.Page <= 0 { opts.Page = 1 } m := make([]BadgeUserDetail, 0) - err := x.Join("LEFT", "public.user", "public.user.ID = badge_user.user_id").Where("badge_user.badge_id = ?", badgeId).OrderBy("badge_user.created_unix desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&m) + err = x.Join("LEFT", "public.user", "public.user.ID = badge_user.user_id").Where("badge_user.badge_id = ?", badgeId).OrderBy("badge_user.id desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&m) if err != nil { - return nil, err + return 0, nil, err } - return m, nil + return n, m, nil } -func GetUserBadges(userId int64, opts GetUserBadgesOpts) ([]*Badge, error) { +func GetUserBadgesPaging(userId int64, opts GetUserBadgesOpts) ([]*Badge, error) { cond := builder.NewCond() cond = cond.And(builder.Eq{"badge_user.user_id": userId}) if opts.CategoryId > 0 { @@ -135,6 +139,18 @@ func GetUserBadges(userId int64, opts GetUserBadgesOpts) ([]*Badge, error) { } r := make([]*Badge, 0) - err := x.Join("INNER", "badge_user", "badge_user.badge_id = badge.id").Where(cond).OrderBy("badge_user.created_unix desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&r) + err := x.Join("INNER", "badge_user", "badge_user.badge_id = badge.id").Where(cond).OrderBy("badge_user.id desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&r) + return r, err +} + +func GetUserBadges(userId, categoryId int64) ([]*Badge, error) { + cond := builder.NewCond() + cond = cond.And(builder.Eq{"badge_user.user_id": userId}) + if categoryId > 0 { + cond = cond.And(builder.Eq{"badge.category_id": categoryId}) + } + + r := make([]*Badge, 0) + err := x.Join("INNER", "badge_user", "badge_user.badge_id = badge.id").Where(cond).OrderBy("badge_user.created_unix desc").Find(&r) return r, err } diff --git a/modules/setting/setting.go b/modules/setting/setting.go index d6e4824ef..00b0245f6 100755 --- a/modules/setting/setting.go +++ b/modules/setting/setting.go @@ -622,6 +622,13 @@ var ( DeductTaskRange time.Duration DeductTaskRangeForFirst time.Duration + //badge config + BadgeIconMaxFileSize int64 + BadgeIconMaxWidth int + BadgeIconMaxHeight int + BadgeIconDefaultSize uint + IconUploadPath string + //wechat auto reply config UserNameOfWechatReply string RepoNameOfWechatReply string @@ -1515,6 +1522,14 @@ func NewContext() { CloudBrainPayInterval = sec.Key("CLOUDBRAIN_PAY_INTERVAL").MustDuration(60 * time.Minute) DeductTaskRange = sec.Key("DEDUCT_TASK_RANGE").MustDuration(30 * time.Minute) DeductTaskRangeForFirst = sec.Key("DEDUCT_TASK_RANGE_FOR_FIRST").MustDuration(3 * time.Hour) + + sec = Cfg.Section("icons") + BadgeIconMaxFileSize = sec.Key("BADGE_ICON_MAX_FILE_SIZE").MustInt64(1048576) + BadgeIconMaxWidth = sec.Key("BADGE_ICON_MAX_WIDTH").MustInt(4096) + BadgeIconMaxHeight = sec.Key("BADGE_ICON_MAX_HEIGHT").MustInt(3072) + BadgeIconDefaultSize = sec.Key("BADGE_ICON_DEFAULT_SIZE").MustUint(200) + IconUploadPath = sec.Key("ICON_UPLOAD_PATH").MustString(path.Join(AppDataPath, "icons")) + SetRadarMapConfig() sec = Cfg.Section("warn_mail") diff --git a/routers/badge/badge.go b/routers/badge/badge.go index c62c1ee74..5344b4e39 100644 --- a/routers/badge/badge.go +++ b/routers/badge/badge.go @@ -4,15 +4,19 @@ import ( "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/routers/response" "code.gitea.io/gitea/services/badge" "errors" + "github.com/unknwon/com" "net/http" "strings" ) func GetCustomizeBadgeList(ctx *context.Context) { - r, err := badge.GetBadgeList(models.GetBadgeOpts{BadgeType: models.CustomizeBadge}) + page := ctx.QueryInt("page") + pageSize := 50 + n, r, err := badge.GetBadgeList(models.GetBadgeOpts{BadgeType: models.CustomizeBadge, LO: models.ListOptions{PageSize: pageSize, Page: page}}) if err != nil { log.Error("GetCustomizeBadgeList error.%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) @@ -20,20 +24,22 @@ func GetCustomizeBadgeList(ctx *context.Context) { } m := make(map[string]interface{}) m["List"] = r + m["Total"] = n + m["PageSize"] = pageSize ctx.JSON(http.StatusOK, response.SuccessWithData(m)) } -func OperateBadge(ctx *context.Context, category models.Badge4AdminShow) { +func OperateBadge(ctx *context.Context, req models.BadgeOperateReq) { action := ctx.Params(":action") var err error switch action { case "edit": - err = badge.EditBadge(category, ctx.User) + err = badge.EditBadge(req, ctx.User) case "new": - err = badge.AddBadge(category, ctx.User) + err = badge.AddBadge(req, ctx.User) case "del": - err = badge.DelBadge(category.ID, ctx.User) + err = badge.DelBadge(req.ID, ctx.User) default: err = errors.New("action type error") } @@ -49,7 +55,8 @@ func OperateBadge(ctx *context.Context, category models.Badge4AdminShow) { func GetBadgeUsers(ctx *context.Context) { page := ctx.QueryInt("page") badgeId := ctx.QueryInt64("badge") - r, err := badge.GetBadgeUsers(badgeId, models.ListOptions{PageSize: 20, Page: page}) + pageSize := 50 + n, r, err := badge.GetBadgeUsers(badgeId, models.ListOptions{PageSize: pageSize, Page: page}) if err != nil { log.Error("GetBadgeUsers error.%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) @@ -57,6 +64,8 @@ func GetBadgeUsers(ctx *context.Context) { } m := make(map[string]interface{}) m["List"] = r + m["Total"] = n + m["PageSize"] = pageSize ctx.JSON(http.StatusOK, response.SuccessWithData(m)) } @@ -96,3 +105,30 @@ func DelBadgeUsers(ctx *context.Context, req models.DelBadgeUserReq) { } ctx.JSON(http.StatusOK, response.Success()) } + +func UploadIcon(ctx *context.Context, form badge.IconUploadForm) { + + uploader := badge.NewIconUploader(badge.IconUploadConfig{ + FileMaxSize: setting.BadgeIconMaxFileSize, + FileMaxWidth: setting.BadgeIconMaxWidth, + FileMaxHeight: setting.BadgeIconMaxHeight, + }) + iconName, err := uploader.Upload(form, ctx.User) + if err != nil { + log.Error("UploadIcon error.%v", err) + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + return + } + m := make(map[string]string, 0) + m["IconName"] = iconName + ctx.JSON(http.StatusOK, response.SuccessWithData(m)) +} + +func GetIcon(ctx *context.Context) { + hash := ctx.Params(":hash") + if !com.IsFile(models.GetCustomIconByHash(hash)) { + ctx.NotFound(ctx.Req.URL.RequestURI(), nil) + return + } + ctx.Redirect(setting.AppSubURL + "/icons/" + hash) +} diff --git a/routers/badge/category.go b/routers/badge/category.go index a386f8fc5..4ac85df4a 100644 --- a/routers/badge/category.go +++ b/routers/badge/category.go @@ -11,7 +11,9 @@ import ( ) func GetBadgeCategoryList(ctx *context.Context) { - r, err := badge.GetBadgeCategoryList() + page := ctx.QueryInt("page") + pageSize := 50 + n, r, err := badge.GetBadgeCategoryList(models.ListOptions{Page: page, PageSize: pageSize}) if err != nil { log.Error("GetCategoryList error.%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) @@ -19,6 +21,8 @@ func GetBadgeCategoryList(ctx *context.Context) { } m := make(map[string]interface{}) m["List"] = r + m["Total"] = n + m["PageSize"] = pageSize ctx.JSON(http.StatusOK, response.SuccessWithData(m)) } diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 14f2d0f74..91b5690ad 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -9,6 +9,7 @@ import ( "code.gitea.io/gitea/routers/badge" "code.gitea.io/gitea/routers/reward/point" "code.gitea.io/gitea/routers/task" + badge_service "code.gitea.io/gitea/services/badge" "code.gitea.io/gitea/services/reward" "encoding/gob" "net/http" @@ -195,6 +196,14 @@ func NewMacaron() *macaron.Macaron { }, )) m.Use(public.StaticHandler( + setting.IconUploadPath, + &public.Options{ + Prefix: "icons", + SkipLogging: setting.DisableRouterLog, + ExpiresAfter: setting.StaticCacheTime, + }, + )) + m.Use(public.StaticHandler( setting.RepositoryAvatarUploadPath, &public.Options{ Prefix: "repo-avatars", @@ -518,6 +527,8 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/avatar/:hash", user.AvatarByEmailHash) + m.Get("/show/icon/:hash", badge.GetIcon) + adminReq := context.Toggle(&context.ToggleOptions{SignInRequired: true, AdminRequired: true}) // ***** START: Admin ***** @@ -670,16 +681,15 @@ func RegisterRoutes(m *macaron.Macaron) { }) m.Group("/customize", func() { m.Get("/list", badge.GetCustomizeBadgeList) - }) m.Group("/users", func() { m.Get("", badge.GetBadgeUsers) m.Post("/add", bindIgnErr(models.AddBadgeUsersReq{}), badge.AddOperateBadgeUsers) m.Post("/del", bindIgnErr(models.DelBadgeUserReq{}), badge.DelBadgeUsers) }) - m.Post("/^:action(new|edit|del)$", bindIgnErr(models.Badge4AdminShow{}), badge.OperateBadge) + m.Post("/^:action(new|edit|del)$", bindIgnErr(models.BadgeOperateReq{}), badge.OperateBadge) }) - + m.Post("/icon/upload", bindIgnErr(badge_service.IconUploadForm{}), badge.UploadIcon) }, operationReq) // ***** END: Operation ***** diff --git a/routers/user/profile.go b/routers/user/profile.go index 1d275c191..8685cd734 100755 --- a/routers/user/profile.go +++ b/routers/user/profile.go @@ -6,7 +6,9 @@ package user import ( + "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/services/badge" + "encoding/json" "errors" "fmt" "path" @@ -103,6 +105,8 @@ func Profile(ctx *context.Context) { ctx.Data["Owner"] = ctxUser ctx.Data["OpenIDs"] = openIDs ctx.Data["RecentBadges"] = badges + b, _ := json.Marshal(badges) + log.Info(string(b)) ctx.Data["EnableHeatmap"] = setting.Service.EnableUserHeatmap ctx.Data["HeatmapUser"] = ctxUser.Name showPrivate := ctx.IsSigned && (ctx.User.IsAdmin || ctx.User.ID == ctxUser.ID) @@ -312,6 +316,8 @@ func Profile(ctx *context.Context) { ctx.ServerError("GetUserAllBadges", err) return } + ab, _ := json.Marshal(allBadges) + log.Info(string(ab)) ctx.Data["AllBadges"] = allBadges default: ctx.ServerError("tab error", errors.New("tab error")) diff --git a/services/badge/badge.go b/services/badge/badge.go index 83c3581b5..0aefeca6e 100644 --- a/services/badge/badge.go +++ b/services/badge/badge.go @@ -7,24 +7,32 @@ import ( "errors" ) -func GetBadgeList(opts models.GetBadgeOpts) ([]*models.Badge4AdminShow, error) { - list, err := models.GetBadgeList(opts) +func GetBadgeList(opts models.GetBadgeOpts) (int64, []*models.Badge4AdminShow, error) { + total, list, err := models.GetBadgeList(opts) if err != nil { - return nil, err + return 0, nil, err } if len(list) == 0 { - return nil, nil + return 0, nil, nil } r := make([]*models.Badge4AdminShow, len(list)) for i := 0; i < len(list); i++ { r[i] = list[i].ToShow() } - return r, nil + return total, r, nil } -func AddBadge(m models.Badge4AdminShow, doer *models.User) error { - _, err := models.AddBadge(m.ToDTO()) +func AddBadge(m models.BadgeOperateReq, doer *models.User) error { + _, err := models.GetBadgeCategoryById(m.CategoryId) + + if err != nil { + if models.IsErrRecordNotExist(err) { + return errors.New("badge category is not available") + } + return err + } + _, err = models.AddBadge(m.ToDTO()) if err != nil { return err } @@ -32,7 +40,7 @@ func AddBadge(m models.Badge4AdminShow, doer *models.User) error { return nil } -func EditBadge(m models.Badge4AdminShow, doer *models.User) error { +func EditBadge(m models.BadgeOperateReq, doer *models.User) error { if m.ID == 0 { log.Error(" EditBadge param error") return errors.New("param error") diff --git a/services/badge/category.go b/services/badge/category.go index 316e654a7..14d06620a 100644 --- a/services/badge/category.go +++ b/services/badge/category.go @@ -7,20 +7,20 @@ import ( "errors" ) -func GetBadgeCategoryList() ([]*models.BadgeCategory4Show, error) { - list, err := models.GetBadgeCategoryList() +func GetBadgeCategoryList(opts models.ListOptions) (int64, []*models.BadgeCategory4Show, error) { + total, list, err := models.GetBadgeCategoryListPaging(opts) if err != nil { - return nil, err + return 0, nil, err } if len(list) == 0 { - return nil, nil + return 0, nil, nil } r := make([]*models.BadgeCategory4Show, len(list)) for i := 0; i < len(list); i++ { r[i] = list[i].ToShow() } - return r, nil + return total, r, nil } func AddBadgeCategory(m models.BadgeCategory4Show, doer *models.User) error { diff --git a/services/badge/icon.go b/services/badge/icon.go new file mode 100644 index 000000000..ae7c25241 --- /dev/null +++ b/services/badge/icon.go @@ -0,0 +1,109 @@ +package badge + +import ( + "bytes" + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/base" + "code.gitea.io/gitea/modules/setting" + "crypto/md5" + "errors" + "fmt" + "image" + "image/png" + "io/ioutil" + "mime/multipart" + "os" +) + +type IconUploader struct { + Config IconUploadConfig +} + +type IconUploadForm struct { + Icon *multipart.FileHeader +} + +type IconUploadConfig struct { + FileMaxSize int64 + FileMaxWidth int + FileMaxHeight int +} + +func NewIconUploader(config IconUploadConfig) IconUploader { + return IconUploader{Config: config} +} + +func (u IconUploader) Upload(form IconUploadForm, user *models.User) (string, error) { + if form.Icon == nil || form.Icon.Filename == "" { + return "", errors.New("File or fileName is empty") + } + + fr, err := form.Icon.Open() + if err != nil { + return "", fmt.Errorf("Icon.Open: %v", err) + } + defer fr.Close() + + if form.Icon.Size > u.Config.FileMaxSize { + return "", errors.New("File is too large") + } + + data, err := ioutil.ReadAll(fr) + if err != nil { + return "", fmt.Errorf("ioutil.ReadAll: %v", err) + } + if !base.IsImageFile(data) { + return "", errors.New("File is not a image") + } + iconName, err := u.uploadIcon(data, user.ID) + if err != nil { + return "", fmt.Errorf("uploadIcon: %v", err) + } + return iconName, nil + +} + +func (u IconUploader) uploadIcon(data []byte, userId int64) (string, error) { + m, err := u.prepare(data) + if err != nil { + return "", err + } + + iconName := fmt.Sprintf("%x", md5.Sum([]byte(fmt.Sprintf("%d-%x", userId, md5.Sum(data))))) + + if err := os.MkdirAll(setting.IconUploadPath, os.ModePerm); err != nil { + return "", fmt.Errorf("uploadIcon. Failed to create dir %s: %v", setting.AvatarUploadPath, err) + } + + fw, err := os.Create(models.GetCustomIconByHash(iconName)) + if err != nil { + return "", fmt.Errorf("Create: %v", err) + } + defer fw.Close() + + if err = png.Encode(fw, *m); err != nil { + return "", fmt.Errorf("Encode: %v", err) + } + + return iconName, nil +} + +func (u IconUploader) prepare(data []byte) (*image.Image, error) { + imgCfg, _, err := image.DecodeConfig(bytes.NewReader(data)) + if err != nil { + return nil, fmt.Errorf("DecodeConfig: %v", err) + } + if imgCfg.Width > u.Config.FileMaxWidth { + return nil, fmt.Errorf("Image width is too large: %d > %d", imgCfg.Width, setting.AvatarMaxWidth) + } + if imgCfg.Height > u.Config.FileMaxHeight { + return nil, fmt.Errorf("Image height is too large: %d > %d", imgCfg.Height, setting.AvatarMaxHeight) + } + + img, _, err := image.Decode(bytes.NewReader(data)) + if err != nil { + return nil, fmt.Errorf("Decode: %v", err) + } + + return &img, nil +} diff --git a/services/badge/user.go b/services/badge/user.go index ccc112f01..70fc7bba7 100644 --- a/services/badge/user.go +++ b/services/badge/user.go @@ -5,20 +5,20 @@ import ( "code.gitea.io/gitea/modules/log" ) -func GetBadgeUsers(badgeId int64, opts models.ListOptions) ([]*models.BadgeUser4SHow, error) { - list, err := models.GetBadgeUsers(badgeId, opts) +func GetBadgeUsers(badgeId int64, opts models.ListOptions) (int64, []*models.BadgeUser4SHow, error) { + total, list, err := models.GetBadgeUsers(badgeId, opts) if err != nil { - return nil, err + return 0, nil, err } if len(list) == 0 { - return nil, nil + return 0, nil, nil } r := make([]*models.BadgeUser4SHow, len(list)) for i := 0; i < len(list); i++ { r[i] = list[i].ToShow() } - return r, nil + return total, r, nil } func AddBadgeUsers(badgeId int64, userNames []string) (int, error) { @@ -49,7 +49,7 @@ func DelBadgeUser(id int64) error { //GetUserBadges Only Returns badges the user has earned func GetUserBadges(userId int64, opts models.ListOptions) ([]*models.Badge4UserShow, error) { - badges, err := models.GetUserBadges(userId, models.GetUserBadgesOpts{ListOptions: opts}) + badges, err := models.GetUserBadgesPaging(userId, models.GetUserBadgesOpts{ListOptions: opts}) if err != nil { return nil, err } @@ -68,7 +68,10 @@ func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { r := make([]models.UserAllBadgeInCategory, len(categoryList)) for i, v := range categoryList { badges, err := models.GetBadgeByCategoryId(v.ID) - userBadgeMap, err := getUserBadgesMap(userId, v.ID, 100, 1) + if badges == nil || len(badges) == 0 { + continue + } + userBadgeMap, err := getUserBadgesMap(userId, v.ID) if err != nil { return nil, err } @@ -91,8 +94,8 @@ func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { return r, nil } -func getUserBadgesMap(userId, categoryId int64, pageSize, page int) (map[int64]*models.Badge, error) { - userBadges, err := models.GetUserBadges(userId, models.GetUserBadgesOpts{ListOptions: models.ListOptions{PageSize: pageSize, Page: page}, CategoryId: categoryId}) +func getUserBadgesMap(userId, categoryId int64) (map[int64]*models.Badge, error) { + userBadges, err := models.GetUserBadges(userId, categoryId) if err != nil { return nil, err } From 3940775144dbdb19edb220de74d65e8d5d0c01b0 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 11 Oct 2022 10:13:47 +0800 Subject: [PATCH 004/149] #2908 update --- routers/badge/badge.go | 1 + services/badge/icon.go | 31 +++++++++++++++++++++++++++++++ 2 files changed, 32 insertions(+) diff --git a/routers/badge/badge.go b/routers/badge/badge.go index 5344b4e39..5e4efcdbf 100644 --- a/routers/badge/badge.go +++ b/routers/badge/badge.go @@ -112,6 +112,7 @@ func UploadIcon(ctx *context.Context, form badge.IconUploadForm) { FileMaxSize: setting.BadgeIconMaxFileSize, FileMaxWidth: setting.BadgeIconMaxWidth, FileMaxHeight: setting.BadgeIconMaxHeight, + NeedSquare: true, }) iconName, err := uploader.Upload(form, ctx.User) if err != nil { diff --git a/services/badge/icon.go b/services/badge/icon.go index ae7c25241..fd731b586 100644 --- a/services/badge/icon.go +++ b/services/badge/icon.go @@ -8,6 +8,8 @@ import ( "crypto/md5" "errors" "fmt" + "github.com/nfnt/resize" + "github.com/oliamb/cutter" "image" "image/png" "io/ioutil" @@ -27,6 +29,9 @@ type IconUploadConfig struct { FileMaxSize int64 FileMaxWidth int FileMaxHeight int + DefaultSize uint + NeedResize bool + NeedSquare bool } func NewIconUploader(config IconUploadConfig) IconUploader { @@ -105,5 +110,31 @@ func (u IconUploader) prepare(data []byte) (*image.Image, error) { return nil, fmt.Errorf("Decode: %v", err) } + if u.Config.NeedSquare { + if imgCfg.Width != imgCfg.Height { + var newSize, ax, ay int + if imgCfg.Width > imgCfg.Height { + newSize = imgCfg.Height + ax = (imgCfg.Width - imgCfg.Height) / 2 + } else { + newSize = imgCfg.Width + ay = (imgCfg.Height - imgCfg.Width) / 2 + } + + img, err = cutter.Crop(img, cutter.Config{ + Width: newSize, + Height: newSize, + Anchor: image.Point{ax, ay}, + }) + if err != nil { + return nil, err + } + } + } + + if u.Config.NeedResize && u.Config.DefaultSize > 0 { + img = resize.Resize(u.Config.DefaultSize, u.Config.DefaultSize, img, resize.NearestNeighbor) + } + return &img, nil } From a3819e4fe03340fedd23caf2c9e081875ec858b4 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 11 Oct 2022 10:27:20 +0800 Subject: [PATCH 005/149] #2908 remove useless code --- routers/user/profile.go | 6 ------ 1 file changed, 6 deletions(-) diff --git a/routers/user/profile.go b/routers/user/profile.go index 8685cd734..1d275c191 100755 --- a/routers/user/profile.go +++ b/routers/user/profile.go @@ -6,9 +6,7 @@ package user import ( - "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/services/badge" - "encoding/json" "errors" "fmt" "path" @@ -105,8 +103,6 @@ func Profile(ctx *context.Context) { ctx.Data["Owner"] = ctxUser ctx.Data["OpenIDs"] = openIDs ctx.Data["RecentBadges"] = badges - b, _ := json.Marshal(badges) - log.Info(string(b)) ctx.Data["EnableHeatmap"] = setting.Service.EnableUserHeatmap ctx.Data["HeatmapUser"] = ctxUser.Name showPrivate := ctx.IsSigned && (ctx.User.IsAdmin || ctx.User.ID == ctxUser.ID) @@ -316,8 +312,6 @@ func Profile(ctx *context.Context) { ctx.ServerError("GetUserAllBadges", err) return } - ab, _ := json.Marshal(allBadges) - log.Info(string(ab)) ctx.Data["AllBadges"] = allBadges default: ctx.ServerError("tab error", errors.New("tab error")) From e4db58a70afe725652e2e6175b1abed588c8868f Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 11 Oct 2022 14:14:49 +0800 Subject: [PATCH 006/149] #2910 update --- routers/badge/badge.go | 9 +++++++++ routers/badge/category.go | 9 +++++++++ routers/routes/routes.go | 2 ++ 3 files changed, 20 insertions(+) diff --git a/routers/badge/badge.go b/routers/badge/badge.go index 5e4efcdbf..4367f1841 100644 --- a/routers/badge/badge.go +++ b/routers/badge/badge.go @@ -2,6 +2,7 @@ package badge import ( "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/base" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/setting" @@ -13,6 +14,14 @@ import ( "strings" ) +const ( + tplBadgeCustomize base.TplName = "admin/badges/customize" +) + +func GetBadgeCustomizePage(ctx *context.Context) { + ctx.HTML(200, tplBadgeCustomize) +} + func GetCustomizeBadgeList(ctx *context.Context) { page := ctx.QueryInt("page") pageSize := 50 diff --git a/routers/badge/category.go b/routers/badge/category.go index 4ac85df4a..b5457c857 100644 --- a/routers/badge/category.go +++ b/routers/badge/category.go @@ -2,6 +2,7 @@ package badge import ( "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/base" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/routers/response" @@ -10,6 +11,14 @@ import ( "net/http" ) +const ( + tplBadgeCategory base.TplName = "admin/badges/category" +) + +func GetBadgeCategoryPage(ctx *context.Context) { + ctx.HTML(200, tplBadgeCategory) +} + func GetBadgeCategoryList(ctx *context.Context) { page := ctx.QueryInt("page") pageSize := 50 diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 91b5690ad..648164fbe 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -676,10 +676,12 @@ func RegisterRoutes(m *macaron.Macaron) { m.Group("/badge", func() { m.Group("/category", func() { + m.Get("", badge.GetBadgeCategoryPage) m.Get("/list", badge.GetBadgeCategoryList) m.Post("/^:action(new|edit|del)$", bindIgnErr(models.BadgeCategory4Show{}), badge.OperateBadgeCategory) }) m.Group("/customize", func() { + m.Get("", badge.GetBadgeCustomizePage) m.Get("/list", badge.GetCustomizeBadgeList) }) m.Group("/users", func() { From 326946e36625e07ef561264e1d1374bb5097da41 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 11 Oct 2022 14:52:54 +0800 Subject: [PATCH 007/149] #2910 update --- routers/badge/badge.go | 9 --------- routers/badge/category.go | 9 --------- routers/routes/routes.go | 2 -- 3 files changed, 20 deletions(-) diff --git a/routers/badge/badge.go b/routers/badge/badge.go index 4367f1841..5e4efcdbf 100644 --- a/routers/badge/badge.go +++ b/routers/badge/badge.go @@ -2,7 +2,6 @@ package badge import ( "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/base" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/setting" @@ -14,14 +13,6 @@ import ( "strings" ) -const ( - tplBadgeCustomize base.TplName = "admin/badges/customize" -) - -func GetBadgeCustomizePage(ctx *context.Context) { - ctx.HTML(200, tplBadgeCustomize) -} - func GetCustomizeBadgeList(ctx *context.Context) { page := ctx.QueryInt("page") pageSize := 50 diff --git a/routers/badge/category.go b/routers/badge/category.go index b5457c857..4ac85df4a 100644 --- a/routers/badge/category.go +++ b/routers/badge/category.go @@ -2,7 +2,6 @@ package badge import ( "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/base" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/routers/response" @@ -11,14 +10,6 @@ import ( "net/http" ) -const ( - tplBadgeCategory base.TplName = "admin/badges/category" -) - -func GetBadgeCategoryPage(ctx *context.Context) { - ctx.HTML(200, tplBadgeCategory) -} - func GetBadgeCategoryList(ctx *context.Context) { page := ctx.QueryInt("page") pageSize := 50 diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 648164fbe..91b5690ad 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -676,12 +676,10 @@ func RegisterRoutes(m *macaron.Macaron) { m.Group("/badge", func() { m.Group("/category", func() { - m.Get("", badge.GetBadgeCategoryPage) m.Get("/list", badge.GetBadgeCategoryList) m.Post("/^:action(new|edit|del)$", bindIgnErr(models.BadgeCategory4Show{}), badge.OperateBadgeCategory) }) m.Group("/customize", func() { - m.Get("", badge.GetBadgeCustomizePage) m.Get("/list", badge.GetCustomizeBadgeList) }) m.Group("/users", func() { From 4217e44a7e037aeeeaf13255c31464cbd2205631 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 11 Oct 2022 17:32:09 +0800 Subject: [PATCH 008/149] #2188 fix bug --- routers/repo/editor.go | 6 +++--- routers/repo/setting_protected_branch.go | 5 +++-- 2 files changed, 6 insertions(+), 5 deletions(-) diff --git a/routers/repo/editor.go b/routers/repo/editor.go index 40edc4767..b350343db 100644 --- a/routers/repo/editor.go +++ b/routers/repo/editor.go @@ -303,7 +303,7 @@ func editFilePost(ctx *context.Context, form auth.EditRepoFileForm, isNewFile bo } if form.CommitChoice == frmCommitChoiceNewBranch && ctx.Repo.Repository.UnitEnabled(models.UnitTypePullRequests) { - ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + ctx.Repo.BranchName + "..." + form.NewBranchName) + ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + util.PathEscapeSegments(ctx.Repo.BranchName) + "..." + util.PathEscapeSegments(form.NewBranchName)) } else { ctx.Redirect(ctx.Repo.RepoLink + "/src/branch/" + util.PathEscapeSegments(branchName) + "/" + util.PathEscapeSegments(form.TreePath)) } @@ -475,7 +475,7 @@ func DeleteFilePost(ctx *context.Context, form auth.DeleteRepoFileForm) { ctx.Flash.Success(ctx.Tr("repo.editor.file_delete_success", ctx.Repo.TreePath)) if form.CommitChoice == frmCommitChoiceNewBranch && ctx.Repo.Repository.UnitEnabled(models.UnitTypePullRequests) { - ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + ctx.Repo.BranchName + "..." + form.NewBranchName) + ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + util.PathEscapeSegments(ctx.Repo.BranchName) + "..." + util.PathEscapeSegments(form.NewBranchName)) } else { treePath := filepath.Dir(ctx.Repo.TreePath) if treePath == "." { @@ -686,7 +686,7 @@ func UploadFilePost(ctx *context.Context, form auth.UploadRepoFileForm) { } if form.CommitChoice == frmCommitChoiceNewBranch && ctx.Repo.Repository.UnitEnabled(models.UnitTypePullRequests) { - ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + ctx.Repo.BranchName + "..." + form.NewBranchName) + ctx.Redirect(ctx.Repo.RepoLink + "/compare/" + util.PathEscapeSegments(ctx.Repo.BranchName) + "..." + util.PathEscapeSegments(form.NewBranchName)) } else { ctx.Redirect(ctx.Repo.RepoLink + "/src/branch/" + util.PathEscapeSegments(branchName) + "/" + util.PathEscapeSegments(form.TreePath)) } diff --git a/routers/repo/setting_protected_branch.go b/routers/repo/setting_protected_branch.go index ab0fd77ee..f1ea17528 100644 --- a/routers/repo/setting_protected_branch.go +++ b/routers/repo/setting_protected_branch.go @@ -5,6 +5,7 @@ package repo import ( + "code.gitea.io/gitea/modules/util" "fmt" "strings" "time" @@ -192,7 +193,7 @@ func SettingsProtectedBranchPost(ctx *context.Context, f auth.ProtectBranchForm) } if f.RequiredApprovals < 0 { ctx.Flash.Error(ctx.Tr("repo.settings.protected_branch_required_approvals_min")) - ctx.Redirect(fmt.Sprintf("%s/settings/branches/%s", ctx.Repo.RepoLink, branch)) + ctx.Redirect(fmt.Sprintf("%s/settings/branches/%s", ctx.Repo.RepoLink, util.PathEscapeSegments(branch))) } var whitelistUsers, whitelistTeams, mergeWhitelistUsers, mergeWhitelistTeams, approvalsWhitelistUsers, approvalsWhitelistTeams []int64 @@ -263,7 +264,7 @@ func SettingsProtectedBranchPost(ctx *context.Context, f auth.ProtectBranchForm) return } ctx.Flash.Success(ctx.Tr("repo.settings.update_protect_branch_success", branch)) - ctx.Redirect(fmt.Sprintf("%s/settings/branches/%s", ctx.Repo.RepoLink, branch)) + ctx.Redirect(fmt.Sprintf("%s/settings/branches/%s", ctx.Repo.RepoLink, util.PathEscapeSegments(branch))) } else { if protectBranch != nil { if err := ctx.Repo.Repository.DeleteProtectedBranch(protectBranch.ID); err != nil { From 36402724026517361a106eaabf31d45c587e0c59 Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 13 Oct 2022 14:42:52 +0800 Subject: [PATCH 009/149] update --- models/cloudbrain_static.go | 55 ++++++++++ models/models.go | 1 + modules/cron/tasks_basic.go | 19 +++- routers/repo/cloudbrain_statistic.go | 188 +++++++++++++++++++++++++++++++++++ routers/routes/routes.go | 8 +- 5 files changed, 265 insertions(+), 6 deletions(-) create mode 100644 routers/repo/cloudbrain_statistic.go diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index 48df111a0..bd2bbaef8 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -38,6 +38,25 @@ type TaskDetail struct { Spec *Specification `json:"Spec"` } +type CloudbrainDurationStatistic struct { + ID int64 `xorm:"pk autoincr"` + Cluster string `xorm:"notnull"` + AiCenterCode string + AiCenterName string + ComputeResource string + AccCardType string + QueueCode string + CardsTotalNum int + + DateTime string + HourTime int + CardsTotalDuration int + + DeletedTime timeutil.TimeStamp `xorm:"deleted"` + CreatedTime timeutil.TimeStamp `xorm:"created"` + UpdatedTime timeutil.TimeStamp `xorm:"updated"` +} + func GetTodayCreatorCount(beginTime time.Time, endTime time.Time) (int64, error) { countSql := "SELECT count(distinct user_id) FROM " + "public.cloudbrain where created_unix >=" + strconv.FormatInt(beginTime.Unix(), 10) + @@ -199,3 +218,39 @@ func GetRunHourPeriodCount(dateBeginTime string, dateEndTime string) (map[string } return dateHourMap, nil } + +func GetCloudbrainRunning() ([]*CloudbrainInfo, error) { + sess := x.NewSession() + defer sess.Close() + var cond = builder.NewCond() + cond = cond.And( + builder.Eq{"cloudbrain.status": string(JobRunning)}, + ) + sess.OrderBy("cloudbrain.created_unix ASC") + cloudbrains := make([]*CloudbrainInfo, 0, 10) + if err := sess.Table(&Cloudbrain{}).Where(cond). + Find(&cloudbrains); err != nil { + log.Info("find error.") + } + return cloudbrains, nil +} + +func GetCloudbrainCompleteByTime(beginTime int64, endTime int64) ([]*CloudbrainInfo, error) { + sess := x.NewSession() + defer sess.Close() + var cond = builder.NewCond() + cond = cond.And( + builder.And(builder.Gte{"cloudbrain.end_time": beginTime}, builder.Lte{"cloudbrain.end_time": endTime}), + ) + sess.OrderBy("cloudbrain.created_unix ASC") + cloudbrains := make([]*CloudbrainInfo, 0, 10) + if err := sess.Table(&Cloudbrain{}).Unscoped().Where(cond). + Find(&cloudbrains); err != nil { + log.Info("find error.") + } + return cloudbrains, nil +} + +func InsertCloudbrainDurationStatistic(cloudbrainDurationStatistic *CloudbrainDurationStatistic) (int64, error) { + return xStatistic.Insert(cloudbrainDurationStatistic) +} diff --git a/models/models.go b/models/models.go index 4c2079cd8..7665c3b0f 100755 --- a/models/models.go +++ b/models/models.go @@ -179,6 +179,7 @@ func init() { new(UserMetrics), new(UserAnalysisPara), new(Invitation), + new(CloudbrainDurationStatistic), ) gonicNames := []string{"SSL", "UID"} diff --git a/modules/cron/tasks_basic.go b/modules/cron/tasks_basic.go index 04cd7fe41..1fe10cb2c 100755 --- a/modules/cron/tasks_basic.go +++ b/modules/cron/tasks_basic.go @@ -5,12 +5,13 @@ package cron import ( - "code.gitea.io/gitea/services/reward" - "code.gitea.io/gitea/services/cloudbrain/resource" - "code.gitea.io/gitea/modules/modelarts" "context" "time" + "code.gitea.io/gitea/modules/modelarts" + "code.gitea.io/gitea/services/cloudbrain/resource" + "code.gitea.io/gitea/services/reward" + "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/migrations" repository_service "code.gitea.io/gitea/modules/repository" @@ -254,6 +255,17 @@ func registerSyncModelArtsTempJobs() { }) } +func registerHandleCloudbrainDurationStatistic() { + RegisterTaskFatal("handle_cloudbrain_duration_statistic", &BaseConfig{ + Enabled: true, + RunAtStart: false, + Schedule: "@every 60m", + }, func(ctx context.Context, _ *models.User, _ Config) error { + repo.CloudbrainDurationStatistic() + return nil + }) +} + func initBasicTasks() { registerUpdateMirrorTask() registerRepoHealthCheck() @@ -271,6 +283,7 @@ func initBasicTasks() { registerHandleRepoAndUserStatistic() registerHandleSummaryStatistic() + registerHandleCloudbrainDurationStatistic() registerSyncCloudbrainStatus() registerHandleOrgStatistic() diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go new file mode 100644 index 000000000..1aa943932 --- /dev/null +++ b/routers/repo/cloudbrain_statistic.go @@ -0,0 +1,188 @@ +package repo + +import ( + "time" + + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/log" +) + +func CloudbrainDurationStatistic() { + log.Info("Generate Cloudbrain Duration statistic begin") + // yesterday := time.Now().AddDate(0, 0, -1).Format("2006-01-02") + // CloudbrainDurationStatisticHour(yesterday) + log.Info("Generate Cloudbrain Duration statistic end") +} + +func CloudbrainDurationStatisticHour(ctx *context.Context) { + //获取规定时间段的云脑任务列表 + // page := ctx.QueryInt("page") + // pageSize := ctx.QueryInt("pagesize") + // if page <= 0 { + // page = 1 + // } + // if pageSize <= 0 { + // pageSize = 10 + // } + + // cloudBrainDurationRes := make(map[string]map[string]int) + // cloudBrainOneCardRes := make(map[string]int) + // cloudBrainTwoCardRes := make(map[string]int) + // c2NetCardRes := make(map[string]int) + // cDNetCenterCardRes := make(map[string]int) + // var WorkServerNumber int + // var AccCardsNum int + // endTime := time.Now().Unix() + // beginTime := time.Now().AddDate(0, 0, -1).Unix() + + // hour := time.Now().Hour() + // tStr := time.Now().Format("2006-01-02 15:04:05") + + currentTime := time.Now() + m, _ := time.ParseDuration("-1h") + beginTime := currentTime.Add(m).Unix() + endTime := currentTime.Unix() + // fmt.Println(beginTime) + + ciTasks1, err := models.GetCloudbrainRunning() + if err != nil { + // ctx.ServerError("Get job failed:", err) + log.Info("GetCloudbrainRunning err: %v", err) + return + } + ciTasks2, err := models.GetCloudbrainCompleteByTime(beginTime, endTime) + ciTasks := append(ciTasks1, ciTasks2...) + log.Info("beginTime: %s", beginTime) + log.Info("endTime: %s", endTime) + if err != nil { + // ctx.ServerError("Get job failed:", err) + log.Info("GetCloudbrainCompleteByTime err: %v", err) + return + } + models.LoadSpecs4CloudbrainInfo(ciTasks) + log.Info("ciTasks here: %s", ciTasks) + log.Info("count here: %s", len(ciTasks)) + cloudBrainCardRes := getCloudBrainCardRes(ciTasks, beginTime, endTime) + + //根据云脑任务列表获取云脑任务已使用的卡时,并区分是哪个智算中心,哪个卡类型的卡时,将这些信息存入新表 + + // cloudbrainDurationStat := models.CloudbrainDurationStatistic{ + // DateTime: date, + // HourTime: userNumber, + // Cluster: repositorySize, + // AiCenterName: allDatasetSize, + // AiCenterCode: organizationNumber, + // ComputeResource: repositoryNumer, + // AccCardType: forkRepositoryNumber, + // CardsTotalNum: mirrorRepositoryNumber, + // CardsTotalDuration: privateRepositoryNumer, + // QueueCode: publicRepositoryNumer, + // CreatedTime: privateRepositoryNumer, + // UpdatedTime: publicRepositoryNumer, + // } + + // if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { + // log.Error("Insert cloudbrainDurationStat failed: %v", err.Error()) + // } + // log.Info("cloudBrainDurationRes2: %s", cloudBrainDurationRes) + // cloudBrainDurationRes = append(cloudBrainDurationRes, cloudBrainOneCardRes) + // log.Info("cloudBrainDurationRes: %s", cloudBrainDurationRes) + // log.Info("cloudBrainOneCardRes: %s", cloudBrainOneCardRes) + log.Info("cloudBrainCardRes: %s", cloudBrainCardRes) + // log.Info("c2NetCardRes: %s", c2NetCardRes) + log.Info("finish summary cloudbrainDurationStat") +} + +func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, endTime int64) map[string]map[string]int { + var WorkServerNumber int + var AccCardsNum int + // cloudBrainCardRes := make(map[string]int) + cloudBrainAicenterNameList := make(map[string]string) + cloudBrainCardTypeList := make(map[string]string) + cloudBrainCenterNameAndCardType := make(map[string]map[string]int) + // var cloudbrainDurationInfo models.CloudbrainDurationInfo + for _, cloudbrain := range ciTasks { + + if _, ok := cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName]; !ok { + cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName] = cloudbrain.Cloudbrain.Spec.AiCenterName + } + + if cloudbrain.Cloudbrain.StartTime == 0 { + cloudbrain.Cloudbrain.StartTime = cloudbrain.Cloudbrain.CreatedUnix + } + if cloudbrain.Cloudbrain.EndTime == 0 { + cloudbrain.Cloudbrain.EndTime = cloudbrain.Cloudbrain.UpdatedUnix + } + if cloudbrain.Cloudbrain.WorkServerNumber >= 1 { + WorkServerNumber = cloudbrain.Cloudbrain.WorkServerNumber + } else { + WorkServerNumber = 1 + } + if cloudbrain.Cloudbrain.Spec == nil { + AccCardsNum = 1 + } else { + AccCardsNum = cloudbrain.Cloudbrain.Spec.AccCardsNum + } + for k, _ := range cloudBrainAicenterNameList { + if cloudbrain.Cloudbrain.Spec.AiCenterName == cloudBrainAicenterNameList[k] { + if _, ok := cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType]; !ok { + cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType] = cloudbrain.Cloudbrain.Spec.AccCardType + } + for i, _ := range cloudBrainCardTypeList { + if cloudBrainCenterNameAndCardType == nil { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] = 0 + } + if cloudbrain.Cloudbrain.Spec.AccCardType == cloudBrainCardTypeList[i] { + if cloudbrain.Cloudbrain.Status == string(models.ModelArtsRunning) { + if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) + } else { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) + } + } else { + if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) + } else { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) + } + } + } + } + // cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] = cloudBrainCardRes[cloudBrainCardTypeList[i]] + + // if cloudbrain.Cloudbrain.Status == string(models.ModelArtsRunning) { + // if _, ok := cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType]; ok { + // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) + // } else { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) + // } + // } else { + // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) + // } else { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) + // } + // } + // } else { + // if _, ok := cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType]; ok { + // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) + // } else { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) + // } + // } else { + // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) + // } else { + // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) + // } + // } + // } + } + } + } + + return cloudBrainCenterNameAndCardType +} diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 66a357c79..e52686ee4 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -6,15 +6,16 @@ package routes import ( "bytes" - "code.gitea.io/gitea/routers/reward/point" - "code.gitea.io/gitea/routers/task" - "code.gitea.io/gitea/services/reward" "encoding/gob" "net/http" "path" "text/template" "time" + "code.gitea.io/gitea/routers/reward/point" + "code.gitea.io/gitea/routers/task" + "code.gitea.io/gitea/services/reward" + "code.gitea.io/gitea/modules/slideimage" "code.gitea.io/gitea/routers/image" @@ -374,6 +375,7 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/^:type(issues|pulls)$", reqSignIn, user.Issues) m.Get("/milestones", reqSignIn, reqMilestonesDashboardPageEnabled, user.Milestones) m.Get("/cloudbrains", reqSignIn, user.Cloudbrains) + m.Get("/duration", repo.CloudbrainDurationStatisticHour) // ***** START: User ***** m.Group("/user", func() { From ebd4c78e290e1919b89bbea3214978713b9d3e3f Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 13 Oct 2022 15:28:25 +0800 Subject: [PATCH 010/149] update --- routers/repo/cloudbrain_statistic.go | 39 +++--------------------------------- 1 file changed, 3 insertions(+), 36 deletions(-) diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index 1aa943932..550e290d0 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -101,9 +101,7 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end cloudBrainAicenterNameList := make(map[string]string) cloudBrainCardTypeList := make(map[string]string) cloudBrainCenterNameAndCardType := make(map[string]map[string]int) - // var cloudbrainDurationInfo models.CloudbrainDurationInfo for _, cloudbrain := range ciTasks { - if _, ok := cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName]; !ok { cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName] = cloudbrain.Cloudbrain.Spec.AiCenterName } @@ -125,14 +123,14 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end AccCardsNum = cloudbrain.Cloudbrain.Spec.AccCardsNum } for k, _ := range cloudBrainAicenterNameList { + if cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]] == nil { + cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]] = make(map[string]int) + } if cloudbrain.Cloudbrain.Spec.AiCenterName == cloudBrainAicenterNameList[k] { if _, ok := cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType]; !ok { cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType] = cloudbrain.Cloudbrain.Spec.AccCardType } for i, _ := range cloudBrainCardTypeList { - if cloudBrainCenterNameAndCardType == nil { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] = 0 - } if cloudbrain.Cloudbrain.Spec.AccCardType == cloudBrainCardTypeList[i] { if cloudbrain.Cloudbrain.Status == string(models.ModelArtsRunning) { if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { @@ -149,37 +147,6 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end } } } - // cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] = cloudBrainCardRes[cloudBrainCardTypeList[i]] - - // if cloudbrain.Cloudbrain.Status == string(models.ModelArtsRunning) { - // if _, ok := cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType]; ok { - // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) - // } else { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) - // } - // } else { - // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) - // } else { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) - // } - // } - // } else { - // if _, ok := cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType]; ok { - // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) - // } else { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) - // } - // } else { - // if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) - // } else { - // cloudBrainCardRes[cloudbrain.Cloudbrain.Spec.AccCardType] = AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) - // } - // } - // } } } } From d3bc16efa423a4e048cbd0aace4e59c0bbb9a496 Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 13 Oct 2022 16:01:38 +0800 Subject: [PATCH 011/149] update --- models/cloudbrain_static.go | 19 ++++++++++++ routers/repo/cloudbrain_statistic.go | 56 +++++++++++++++++++++++++----------- 2 files changed, 59 insertions(+), 16 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index bd2bbaef8..b760fdc31 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -251,6 +251,25 @@ func GetCloudbrainCompleteByTime(beginTime int64, endTime int64) ([]*CloudbrainI return cloudbrains, nil } +func GetSpecByAiCenterCodeAndType(aiCenterCode string, accCardType string) ([]*CloudbrainSpec, error) { + sess := x.NewSession() + defer sess.Close() + var cond = builder.NewCond() + cond = cond.And( + builder.Eq{"cloudbrain_spec.ai_center_code": aiCenterCode}, + ) + cond = cond.And( + builder.Eq{"cloudbrain_spec.acc_card_type": accCardType}, + ) + sess.OrderBy("cloudbrain_spec.created_unix ASC limit 1") + cloudbrainSpecs := make([]*CloudbrainSpec, 0, 10) + if err := sess.Table(&CloudbrainSpec{}).Where(cond). + Find(&cloudbrainSpecs); err != nil { + log.Info("find error.") + } + return cloudbrainSpecs, nil +} + func InsertCloudbrainDurationStatistic(cloudbrainDurationStatistic *CloudbrainDurationStatistic) (int64, error) { return xStatistic.Insert(cloudbrainDurationStatistic) } diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index 550e290d0..0bc4938ff 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -63,7 +63,31 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { models.LoadSpecs4CloudbrainInfo(ciTasks) log.Info("ciTasks here: %s", ciTasks) log.Info("count here: %s", len(ciTasks)) - cloudBrainCardRes := getCloudBrainCardRes(ciTasks, beginTime, endTime) + cloudBrainCenterCodeAndCardTypeInfo := getcloudBrainCenterCodeAndCardTypeInfo(ciTasks, beginTime, endTime) + for centerCode, CardTypeInfo := range cloudBrainCenterCodeAndCardTypeInfo { + for cardType, cardDuration := range CardTypeInfo { + cloudbrain, err := models.GetSpecByAiCenterCodeAndType(centerCode, cardType) + if err != nil { + log.Info("GetSpecByAiCenterCodeAndType err: %v", err) + return + } + cloudbrainDurationStat := models.CloudbrainDurationStatistic{ + DateTime: date, + HourTime: userNumber, + Cluster: cloudbrain[0].Cluster, + AiCenterName: cloudbrain[0].AiCenterName, + AiCenterCode: centerCode, + ComputeResource: cloudbrain[0].ComputeResource, + AccCardType: cardType, + CardsTotalNum: mirrorRepositoryNumber, + CardsTotalDuration: cardDuration, + QueueCode: cloudbrain[0].QueueCode, + CreatedTime: privateRepositoryNumer, + UpdatedTime: publicRepositoryNumer, + } + } + + } //根据云脑任务列表获取云脑任务已使用的卡时,并区分是哪个智算中心,哪个卡类型的卡时,将这些信息存入新表 @@ -89,21 +113,21 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { // cloudBrainDurationRes = append(cloudBrainDurationRes, cloudBrainOneCardRes) // log.Info("cloudBrainDurationRes: %s", cloudBrainDurationRes) // log.Info("cloudBrainOneCardRes: %s", cloudBrainOneCardRes) - log.Info("cloudBrainCardRes: %s", cloudBrainCardRes) + // log.Info("cloudBrainCardRes: %s", cloudBrainCardRes) // log.Info("c2NetCardRes: %s", c2NetCardRes) log.Info("finish summary cloudbrainDurationStat") } -func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, endTime int64) map[string]map[string]int { +func getcloudBrainCenterCodeAndCardTypeInfo(ciTasks []*models.CloudbrainInfo, beginTime int64, endTime int64) map[string]map[string]int { var WorkServerNumber int var AccCardsNum int // cloudBrainCardRes := make(map[string]int) - cloudBrainAicenterNameList := make(map[string]string) + cloudBrainAiCenterCodeList := make(map[string]string) cloudBrainCardTypeList := make(map[string]string) - cloudBrainCenterNameAndCardType := make(map[string]map[string]int) + cloudBrainCenterCodeAndCardType := make(map[string]map[string]int) for _, cloudbrain := range ciTasks { - if _, ok := cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName]; !ok { - cloudBrainAicenterNameList[cloudbrain.Cloudbrain.Spec.AiCenterName] = cloudbrain.Cloudbrain.Spec.AiCenterName + if _, ok := cloudBrainAiCenterCodeList[cloudbrain.Cloudbrain.Spec.AiCenterCode]; !ok { + cloudBrainAiCenterCodeList[cloudbrain.Cloudbrain.Spec.AiCenterCode] = cloudbrain.Cloudbrain.Spec.AiCenterCode } if cloudbrain.Cloudbrain.StartTime == 0 { @@ -122,11 +146,11 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end } else { AccCardsNum = cloudbrain.Cloudbrain.Spec.AccCardsNum } - for k, _ := range cloudBrainAicenterNameList { - if cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]] == nil { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]] = make(map[string]int) + for k, _ := range cloudBrainAiCenterCodeList { + if cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]] == nil { + cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]] = make(map[string]int) } - if cloudbrain.Cloudbrain.Spec.AiCenterName == cloudBrainAicenterNameList[k] { + if cloudbrain.Cloudbrain.Spec.AiCenterCode == cloudBrainAiCenterCodeList[k] { if _, ok := cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType]; !ok { cloudBrainCardTypeList[cloudbrain.Cloudbrain.Spec.AccCardType] = cloudbrain.Cloudbrain.Spec.AccCardType } @@ -134,15 +158,15 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end if cloudbrain.Cloudbrain.Spec.AccCardType == cloudBrainCardTypeList[i] { if cloudbrain.Cloudbrain.Status == string(models.ModelArtsRunning) { if int64(cloudbrain.Cloudbrain.StartTime) < beginTime { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) + cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(beginTime)) } else { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) + cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(endTime) - int(cloudbrain.Cloudbrain.StartTime)) } } else { if int64(cloudbrain.Cloudbrain.StartTime) < beginTime && int64(cloudbrain.Cloudbrain.EndTime) < endTime { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) + cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(beginTime)) } else { - cloudBrainCenterNameAndCardType[cloudBrainAicenterNameList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) + cloudBrainCenterCodeAndCardType[cloudBrainAiCenterCodeList[k]][cloudBrainCardTypeList[i]] += AccCardsNum * WorkServerNumber * (int(cloudbrain.Cloudbrain.EndTime) - int(cloudbrain.Cloudbrain.StartTime)) } } } @@ -151,5 +175,5 @@ func getCloudBrainCardRes(ciTasks []*models.CloudbrainInfo, beginTime int64, end } } - return cloudBrainCenterNameAndCardType + return cloudBrainCenterCodeAndCardType } From a83afede2f9ce44af13a37234c0f9fa433c9dfa6 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Fri, 14 Oct 2022 10:47:04 +0800 Subject: [PATCH 012/149] #2908 update --- models/badge.go | 14 +++++++++----- routers/badge/badge.go | 9 +++++---- routers/badge/category.go | 6 +++--- routers/response/response_list.go | 3 +++ services/badge/badge.go | 34 +++++++++++++++++++++------------- services/badge/category.go | 30 +++++++++++++++++++----------- 6 files changed, 60 insertions(+), 36 deletions(-) diff --git a/models/badge.go b/models/badge.go index 7e20ab2d4..fcfbdc27f 100644 --- a/models/badge.go +++ b/models/badge.go @@ -30,8 +30,9 @@ func (m *Badge) ToUserShow() *Badge4UserShow { } type GetBadgeOpts struct { - BadgeType BadgeType - LO ListOptions + BadgeType BadgeType + CategoryId int64 + ListOpts ListOptions } type BadgeAndCategory struct { @@ -118,19 +119,22 @@ type UserAllBadgeInCategory struct { } func GetBadgeList(opts GetBadgeOpts) (int64, []*BadgeAndCategory, error) { - if opts.LO.Page <= 0 { - opts.LO.Page = 1 + if opts.ListOpts.Page <= 0 { + opts.ListOpts.Page = 1 } var cond = builder.NewCond() if opts.BadgeType > 0 { cond = cond.And(builder.Eq{"badge_category.type": opts.BadgeType}) } + if opts.CategoryId > 0 { + cond = cond.And(builder.Eq{"badge_category.id": opts.CategoryId}) + } n, err := x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).Count(&BadgeAndCategory{}) if err != nil { return 0, nil, err } r := make([]*BadgeAndCategory, 0) - if err = x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).OrderBy("badge.created_unix desc").Limit(opts.LO.PageSize, (opts.LO.Page-1)*opts.LO.PageSize).Find(&r); err != nil { + if err = x.Join("INNER", "badge_category", "badge_category.ID = badge.category_id").Where(cond).OrderBy("badge.created_unix desc").Limit(opts.ListOpts.PageSize, (opts.ListOpts.Page-1)*opts.ListOpts.PageSize).Find(&r); err != nil { return 0, nil, err } return n, r, nil diff --git a/routers/badge/badge.go b/routers/badge/badge.go index 5e4efcdbf..6d8725b12 100644 --- a/routers/badge/badge.go +++ b/routers/badge/badge.go @@ -15,8 +15,9 @@ import ( func GetCustomizeBadgeList(ctx *context.Context) { page := ctx.QueryInt("page") + category := ctx.QueryInt64("category") pageSize := 50 - n, r, err := badge.GetBadgeList(models.GetBadgeOpts{BadgeType: models.CustomizeBadge, LO: models.ListOptions{PageSize: pageSize, Page: page}}) + n, r, err := badge.GetBadgeList(models.GetBadgeOpts{CategoryId: category, BadgeType: models.CustomizeBadge, ListOpts: models.ListOptions{PageSize: pageSize, Page: page}}) if err != nil { log.Error("GetCustomizeBadgeList error.%v", err) ctx.JSON(http.StatusOK, response.ServerError(err.Error())) @@ -32,7 +33,7 @@ func GetCustomizeBadgeList(ctx *context.Context) { func OperateBadge(ctx *context.Context, req models.BadgeOperateReq) { action := ctx.Params(":action") - var err error + var err *response.BizError switch action { case "edit": err = badge.EditBadge(req, ctx.User) @@ -41,12 +42,12 @@ func OperateBadge(ctx *context.Context, req models.BadgeOperateReq) { case "del": err = badge.DelBadge(req.ID, ctx.User) default: - err = errors.New("action type error") + err = response.NewBizError(errors.New("action type error")) } if err != nil { log.Error("OperateBadge error ,%v", err) - ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + ctx.JSON(http.StatusOK, response.ResponseError(err)) return } ctx.JSON(http.StatusOK, response.Success()) diff --git a/routers/badge/category.go b/routers/badge/category.go index 4ac85df4a..71c34e1ba 100644 --- a/routers/badge/category.go +++ b/routers/badge/category.go @@ -29,7 +29,7 @@ func GetBadgeCategoryList(ctx *context.Context) { func OperateBadgeCategory(ctx *context.Context, category models.BadgeCategory4Show) { action := ctx.Params(":action") - var err error + var err *response.BizError switch action { case "edit": err = badge.EditBadgeCategory(category, ctx.User) @@ -38,12 +38,12 @@ func OperateBadgeCategory(ctx *context.Context, category models.BadgeCategory4Sh case "del": err = badge.DelBadgeCategory(category.ID, ctx.User) default: - err = errors.New("action type error") + err = response.NewBizError(errors.New("action type error")) } if err != nil { log.Error("OperateBadgeCategory error ,%v", err) - ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + ctx.JSON(http.StatusOK, response.ResponseError(err)) return } ctx.JSON(http.StatusOK, response.Success()) diff --git a/routers/response/response_list.go b/routers/response/response_list.go index 6514f3edd..8bdbf375c 100644 --- a/routers/response/response_list.go +++ b/routers/response/response_list.go @@ -3,3 +3,6 @@ package response var RESOURCE_QUEUE_NOT_AVAILABLE = &BizError{Code: 1001, Err: "resource queue not available"} var SPECIFICATION_NOT_EXIST = &BizError{Code: 1002, Err: "specification not exist"} var SPECIFICATION_NOT_AVAILABLE = &BizError{Code: 1003, Err: "specification not available"} + +var CATEGORY_STILL_HAS_BADGES = &BizError{Code: 1004, Err: "Please delete badges in the category first"} +var BADGES_STILL_HAS_USERS = &BizError{Code: 1005, Err: "Please delete users of badge first"} diff --git a/services/badge/badge.go b/services/badge/badge.go index 0aefeca6e..c6f833f65 100644 --- a/services/badge/badge.go +++ b/services/badge/badge.go @@ -3,6 +3,7 @@ package badge import ( "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/routers/response" "code.gitea.io/gitea/services/admin/operate_log" "errors" ) @@ -23,50 +24,57 @@ func GetBadgeList(opts models.GetBadgeOpts) (int64, []*models.Badge4AdminShow, e return total, r, nil } -func AddBadge(m models.BadgeOperateReq, doer *models.User) error { +func AddBadge(m models.BadgeOperateReq, doer *models.User) *response.BizError { _, err := models.GetBadgeCategoryById(m.CategoryId) if err != nil { if models.IsErrRecordNotExist(err) { - return errors.New("badge category is not available") + return response.NewBizError(errors.New("badge category is not available")) } - return err + return response.NewBizError(err) } _, err = models.AddBadge(m.ToDTO()) if err != nil { - return err + return response.NewBizError(err) } operate_log.Log4Add(operate_log.BadgeOperate, m, doer.ID, "新增了勋章") return nil } -func EditBadge(m models.BadgeOperateReq, doer *models.User) error { +func EditBadge(m models.BadgeOperateReq, doer *models.User) *response.BizError { if m.ID == 0 { log.Error(" EditBadge param error") - return errors.New("param error") + return response.NewBizError(errors.New("param error")) } old, err := models.GetBadgeById(m.ID) if err != nil { - return err + return response.NewBizError(err) } _, err = models.UpdateBadgeById(m.ID, m.ToDTO()) if err != nil { - return err + return response.NewBizError(err) } operate_log.Log4Edit(operate_log.BadgeOperate, old, m.ToDTO(), doer.ID, "修改了勋章") - return err + return nil } -func DelBadge(id int64, doer *models.User) error { +func DelBadge(id int64, doer *models.User) *response.BizError { if id == 0 { log.Error(" DelBadge param error") - return errors.New("param error") + return response.NewBizError(errors.New("param error")) } old, err := models.GetBadgeById(id) if err != nil { - return err + return response.NewBizError(err) + } + n, _, err := models.GetBadgeUsers(id, models.ListOptions{PageSize: 1, Page: 1}) + if err != nil { + return response.NewBizError(err) + } + if n > 0 { + return response.BADGES_STILL_HAS_USERS } _, err = models.DelBadge(id) operate_log.Log4Del(operate_log.BadgeOperate, old, doer.ID, "删除了勋章") - return err + return nil } diff --git a/services/badge/category.go b/services/badge/category.go index 14d06620a..445dedcad 100644 --- a/services/badge/category.go +++ b/services/badge/category.go @@ -3,6 +3,7 @@ package badge import ( "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/routers/response" "code.gitea.io/gitea/services/admin/operate_log" "errors" ) @@ -23,42 +24,49 @@ func GetBadgeCategoryList(opts models.ListOptions) (int64, []*models.BadgeCatego return total, r, nil } -func AddBadgeCategory(m models.BadgeCategory4Show, doer *models.User) error { +func AddBadgeCategory(m models.BadgeCategory4Show, doer *models.User) *response.BizError { _, err := models.AddBadgeCategory(m.ToDTO()) if err != nil { - return err + return response.NewBizError(err) } operate_log.Log4Add(operate_log.BadgeCategoryOperate, m, doer.ID, "新增了勋章分类") return nil } -func EditBadgeCategory(m models.BadgeCategory4Show, doer *models.User) error { +func EditBadgeCategory(m models.BadgeCategory4Show, doer *models.User) *response.BizError { if m.ID == 0 { log.Error(" EditBadgeCategory param error") - return errors.New("param error") + return response.NewBizError(errors.New("param error")) } old, err := models.GetBadgeCategoryById(m.ID) if err != nil { - return err + return response.NewBizError(err) } _, err = models.UpdateBadgeCategoryById(m.ID, m.ToDTO()) if err != nil { - return err + return response.NewBizError(err) } operate_log.Log4Edit(operate_log.BadgeCategoryOperate, old, m.ToDTO(), doer.ID, "修改了勋章分类") - return err + return nil } -func DelBadgeCategory(id int64, doer *models.User) error { +func DelBadgeCategory(id int64, doer *models.User) *response.BizError { if id == 0 { log.Error(" DelBadgeCategory param error") - return errors.New("param error") + return response.NewBizError(errors.New("param error")) } old, err := models.GetBadgeCategoryById(id) if err != nil { - return err + return response.NewBizError(err) + } + badges, err := models.GetBadgeByCategoryId(id) + if err != nil { + return response.NewBizError(err) + } + if len(badges) > 0 { + return response.CATEGORY_STILL_HAS_BADGES } _, err = models.DelBadgeCategory(id) operate_log.Log4Del(operate_log.BadgeCategoryOperate, old, doer.ID, "删除了勋章分类") - return err + return nil } From a8341fcb425841b4babac0087c4794dfea024d1b Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 14 Oct 2022 17:51:05 +0800 Subject: [PATCH 013/149] update --- models/cloudbrain_spec.go | 4 +- models/cloudbrain_static.go | 69 ++++++++++++++-- routers/api/v1/api.go | 4 + routers/api/v1/repo/cloudbrain_dashboard.go | 81 +++++++++++++++++- routers/repo/cloudbrain_statistic.go | 123 ++++++++++++++-------------- 5 files changed, 208 insertions(+), 73 deletions(-) diff --git a/models/cloudbrain_spec.go b/models/cloudbrain_spec.go index c32e4b0fd..49a4d603e 100644 --- a/models/cloudbrain_spec.go +++ b/models/cloudbrain_spec.go @@ -9,7 +9,7 @@ type CloudbrainSpec struct { SpecId int64 `xorm:"index"` SourceSpecId string AccCardsNum int - AccCardType string + AccCardType string `xorm:"index"` CpuCores int MemGiB float32 GPUMemGiB float32 @@ -19,7 +19,7 @@ type CloudbrainSpec struct { QueueId int64 QueueCode string Cluster string - AiCenterCode string + AiCenterCode string `xorm:"index"` AiCenterName string IsExclusive bool ExclusiveOrg string diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index b760fdc31..b8f1c8e62 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -1,6 +1,7 @@ package models import ( + "fmt" "strconv" "time" @@ -39,18 +40,20 @@ type TaskDetail struct { } type CloudbrainDurationStatistic struct { - ID int64 `xorm:"pk autoincr"` - Cluster string `xorm:"notnull"` + ID int64 `xorm:"pk autoincr"` + Cluster string AiCenterCode string AiCenterName string ComputeResource string AccCardType string - QueueCode string - CardsTotalNum int + TotalUse bool + TotalCanUse bool DateTime string + DayTime string HourTime int CardsTotalDuration int + CardsTotalNum int DeletedTime timeutil.TimeStamp `xorm:"deleted"` CreatedTime timeutil.TimeStamp `xorm:"created"` @@ -256,12 +259,8 @@ func GetSpecByAiCenterCodeAndType(aiCenterCode string, accCardType string) ([]*C defer sess.Close() var cond = builder.NewCond() cond = cond.And( - builder.Eq{"cloudbrain_spec.ai_center_code": aiCenterCode}, + builder.And(builder.Eq{"cloudbrain_spec.ai_center_code": aiCenterCode}, builder.Eq{"cloudbrain_spec.acc_card_type": accCardType}), ) - cond = cond.And( - builder.Eq{"cloudbrain_spec.acc_card_type": accCardType}, - ) - sess.OrderBy("cloudbrain_spec.created_unix ASC limit 1") cloudbrainSpecs := make([]*CloudbrainSpec, 0, 10) if err := sess.Table(&CloudbrainSpec{}).Where(cond). Find(&cloudbrainSpecs); err != nil { @@ -273,3 +272,55 @@ func GetSpecByAiCenterCodeAndType(aiCenterCode string, accCardType string) ([]*C func InsertCloudbrainDurationStatistic(cloudbrainDurationStatistic *CloudbrainDurationStatistic) (int64, error) { return xStatistic.Insert(cloudbrainDurationStatistic) } + +func DeleteCloudbrainDurationStatisticHour(date string, hour int, aiCenterCode string, accCardType string, tatalUse bool, totalCanUse bool) error { + sess := xStatistic.NewSession() + defer sess.Close() + if err := sess.Begin(); err != nil { + return fmt.Errorf("Begin: %v", err) + } + + if _, err := sess.Where("day_time = ? AND hour_time = ? AND ai_center_code = ? AND acc_card_type = ? And total_use = ? And total_can_use = ?", date, hour, aiCenterCode, accCardType, tatalUse, totalCanUse).Delete(&CloudbrainDurationStatistic{}); err != nil { + return fmt.Errorf("Delete: %v", err) + } + + if err := sess.Commit(); err != nil { + sess.Close() + return fmt.Errorf("Commit: %v", err) + } + + sess.Close() + return nil +} + +func GetCanUseCardInfo() ([]*ResourceQueue, error) { + sess := x.NewSession() + defer sess.Close() + var cond = builder.NewCond() + cond = cond.And( + builder.And(builder.Eq{"resource_queue.is_automatic_sync": false}), + ) + ResourceQueues := make([]*ResourceQueue, 0, 10) + if err := sess.Table(&ResourceQueue{}).Where(cond). + Find(&ResourceQueues); err != nil { + log.Info("find error.") + } + return ResourceQueues, nil +} +func GetCardDurationStatistics(beginTime time.Time, endTime time.Time, totalUse bool, totalCanUse bool) ([]*CloudbrainDurationStatistic, error) { + sess := xStatistic.NewSession() + defer sess.Close() + var cond = builder.NewCond() + cond = cond.And( + builder.And(builder.Gte{"cloudbrain_duration_statistic.created_time": beginTime.Unix()}, builder.Lte{"cloudbrain_duration_statistic.created_time": endTime.Unix()}), + ) + cond = cond.And( + builder.And(builder.Eq{"cloudbrain_duration_statistic.total_use": totalUse}, builder.Eq{"cloudbrain_duration_statistic.total_can_use": totalCanUse}), + ) + CloudbrainDurationStatistics := make([]*CloudbrainDurationStatistic, 0, 10) + if err := sess.Table(&CloudbrainDurationStatistic{}).Where(cond). + Find(&CloudbrainDurationStatistics); err != nil { + log.Info("find error.") + } + return CloudbrainDurationStatistics, nil +} diff --git a/routers/api/v1/api.go b/routers/api/v1/api.go index 8e1d725ed..06be12e92 100755 --- a/routers/api/v1/api.go +++ b/routers/api/v1/api.go @@ -599,6 +599,10 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/hours_data", repo.GetCloudbrainsCreateHoursData) m.Get("/waitting_top_data", repo.GetWaittingTop) m.Get("/running_top_data", repo.GetRunningTop) + + m.Get("/overview_resource", repo.GetCloudbrainResourceOverview) + m.Get("/resource_usage", repo.GetCloudbrainResourceUsage) + m.Get("/resource_usage_detail", repo.GetCloudbrainResourceUsageDetail) }) }, operationReq) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 54c0ddc20..7d348d578 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -545,7 +545,7 @@ func GetAllCloudbrainsPeriodDistribution(ctx *context.Context) { recordBeginTime := time.Unix(int64(recordCloudbrain[0].Cloudbrain.CreatedUnix), 0) beginTime, endTime, err := getCloudbrainTimePeroid(ctx, recordBeginTime) if err != nil { - log.Error("Parameter is wrong", err) + log.Error("getCloudbrainTimePeroid error:", err) ctx.Error(http.StatusBadRequest, ctx.Tr("repo.parameter_is_wrong")) return } @@ -1403,3 +1403,82 @@ func getCloudbrainTimePeroid(ctx *context.Context, recordBeginTime time.Time) (t return beginTime, endTime, nil } + +func GetCloudbrainResourceOverview(ctx *context.Context) { + resourceQueues, err := models.GetCanUseCardInfo() + if err != nil { + log.Info("GetCanUseCardInfo err: %v", err) + return + } + + ctx.JSON(http.StatusOK, map[string]interface{}{ + "resourceQueues": resourceQueues, + }) + +} + +func GetCloudbrainResourceUsage(ctx *context.Context) { + recordBeginTime := time.Now().AddDate(0, 0, -6) + beginTime, endTime, err := getCloudbrainTimePeroid(ctx, recordBeginTime) + if err != nil { + log.Error("getCloudbrainTimePeroid error:", err) + return + } + cardUsageRes := make(map[string]int) + cardCanUsageRes := make(map[string]int) + cardUseInfo, err := models.GetCardDurationStatistics(beginTime, endTime, true, false) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return + } + cardCanUseInfo, err := models.GetCardDurationStatistics(beginTime, endTime, false, true) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return + } + + for _, cloudbrainStat := range cardUseInfo { + if _, ok := cardUsageRes[cloudbrainStat.AiCenterCode]; !ok { + cardUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration + } else { + cardUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + } + } + + for _, cloudbrainStat := range cardCanUseInfo { + if _, ok := cardCanUsageRes[cloudbrainStat.AiCenterCode]; !ok { + cardCanUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration + } else { + cardCanUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + } + } + + ctx.JSON(http.StatusOK, map[string]interface{}{ + "cardUseInfo": cardUseInfo, + "cardCanUseInfo": cardCanUseInfo, + "cardUsageRes": cardUsageRes, + "cardCanUsageRes": cardCanUsageRes, + }) + +} +func GetCloudbrainResourceUsageDetail(ctx *context.Context) { + recordBeginTime := time.Now().AddDate(0, 0, -6) + beginTime, endTime, err := getCloudbrainTimePeroid(ctx, recordBeginTime) + if err != nil { + log.Error("getCloudbrainTimePeroid error:", err) + return + } + totalUse := true + totalCanUse := false + cardDurationStatisticsInfo, err := models.GetCardDurationStatistics(beginTime, endTime, totalUse, totalCanUse) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return + } + ctx.JSON(http.StatusOK, map[string]interface{}{ + "cardDurationStatisticsInfo": cardDurationStatisticsInfo, + "beginTime": beginTime, + "endTime": endTime, + }) + +} diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index 0bc4938ff..c7546c1c6 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -6,6 +6,7 @@ import ( "code.gitea.io/gitea/models" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/modules/timeutil" ) func CloudbrainDurationStatistic() { @@ -16,28 +17,9 @@ func CloudbrainDurationStatistic() { } func CloudbrainDurationStatisticHour(ctx *context.Context) { - //获取规定时间段的云脑任务列表 - // page := ctx.QueryInt("page") - // pageSize := ctx.QueryInt("pagesize") - // if page <= 0 { - // page = 1 - // } - // if pageSize <= 0 { - // pageSize = 10 - // } - - // cloudBrainDurationRes := make(map[string]map[string]int) - // cloudBrainOneCardRes := make(map[string]int) - // cloudBrainTwoCardRes := make(map[string]int) - // c2NetCardRes := make(map[string]int) - // cDNetCenterCardRes := make(map[string]int) - // var WorkServerNumber int - // var AccCardsNum int - // endTime := time.Now().Unix() - // beginTime := time.Now().AddDate(0, 0, -1).Unix() - - // hour := time.Now().Hour() - // tStr := time.Now().Format("2006-01-02 15:04:05") + hourTime := time.Now().Hour() + dateTime := time.Now().Format("2006-01-02 15:04:05") + dayTime := time.Now().Format("2006-01-02") currentTime := time.Now() m, _ := time.ParseDuration("-1h") @@ -71,50 +53,69 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { log.Info("GetSpecByAiCenterCodeAndType err: %v", err) return } - cloudbrainDurationStat := models.CloudbrainDurationStatistic{ - DateTime: date, - HourTime: userNumber, - Cluster: cloudbrain[0].Cluster, - AiCenterName: cloudbrain[0].AiCenterName, - AiCenterCode: centerCode, - ComputeResource: cloudbrain[0].ComputeResource, - AccCardType: cardType, - CardsTotalNum: mirrorRepositoryNumber, - CardsTotalDuration: cardDuration, - QueueCode: cloudbrain[0].QueueCode, - CreatedTime: privateRepositoryNumer, - UpdatedTime: publicRepositoryNumer, + log.Info("cloudbrain: %s", cloudbrain) + if cloudbrain != nil { + totalUse := true + totalCanUse := false + if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, centerCode, cardType, totalUse, totalCanUse); err != nil { + log.Error("DeleteCloudbrainDurationStatisticHour failed: %v", err.Error()) + return + } + cloudbrainDurationStat := models.CloudbrainDurationStatistic{ + DateTime: dateTime, + DayTime: dayTime, + HourTime: hourTime, + Cluster: cloudbrain[0].Cluster, + AiCenterName: cloudbrain[0].AiCenterName, + AiCenterCode: centerCode, + ComputeResource: cloudbrain[0].ComputeResource, + AccCardType: cardType, + CardsTotalDuration: cardDuration, + CreatedTime: timeutil.TimeStampNow(), + TotalUse: true, + TotalCanUse: false, + } + if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { + log.Error("Insert cloudbrainDurationStat failed: %v", err.Error()) + } } } } - //根据云脑任务列表获取云脑任务已使用的卡时,并区分是哪个智算中心,哪个卡类型的卡时,将这些信息存入新表 - - // cloudbrainDurationStat := models.CloudbrainDurationStatistic{ - // DateTime: date, - // HourTime: userNumber, - // Cluster: repositorySize, - // AiCenterName: allDatasetSize, - // AiCenterCode: organizationNumber, - // ComputeResource: repositoryNumer, - // AccCardType: forkRepositoryNumber, - // CardsTotalNum: mirrorRepositoryNumber, - // CardsTotalDuration: privateRepositoryNumer, - // QueueCode: publicRepositoryNumer, - // CreatedTime: privateRepositoryNumer, - // UpdatedTime: publicRepositoryNumer, - // } - - // if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { - // log.Error("Insert cloudbrainDurationStat failed: %v", err.Error()) - // } - // log.Info("cloudBrainDurationRes2: %s", cloudBrainDurationRes) - // cloudBrainDurationRes = append(cloudBrainDurationRes, cloudBrainOneCardRes) - // log.Info("cloudBrainDurationRes: %s", cloudBrainDurationRes) - // log.Info("cloudBrainOneCardRes: %s", cloudBrainOneCardRes) - // log.Info("cloudBrainCardRes: %s", cloudBrainCardRes) - // log.Info("c2NetCardRes: %s", c2NetCardRes) + resourceQueues, err := models.GetCanUseCardInfo() + if err != nil { + log.Info("GetCanUseCardInfo err: %v", err) + return + } + log.Info("resourceQueues here: %s", resourceQueues) + for _, resourceQueue := range resourceQueues { + totalUse := false + totalCanUse := true + if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, resourceQueue.AiCenterCode, resourceQueue.AccCardType, totalUse, totalCanUse); err != nil { + log.Error("DeleteCloudbrainDurationStatisticHour failed: %v", err.Error()) + return + } + cardsTotalDuration := resourceQueue.CardsTotalNum * 1 * 60 * 60 + cloudbrainDurationStat := models.CloudbrainDurationStatistic{ + DateTime: dateTime, + DayTime: dayTime, + HourTime: hourTime, + Cluster: resourceQueue.Cluster, + AiCenterName: resourceQueue.AiCenterName, + AiCenterCode: resourceQueue.AiCenterCode, + ComputeResource: resourceQueue.ComputeResource, + AccCardType: resourceQueue.AccCardType, + CardsTotalDuration: cardsTotalDuration, + CardsTotalNum: resourceQueue.CardsTotalNum, + CreatedTime: timeutil.TimeStampNow(), + TotalUse: false, + TotalCanUse: true, + } + if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { + log.Error("Insert cloudbrainDurationStat failed: %v", err.Error()) + } + } log.Info("finish summary cloudbrainDurationStat") } From d38a58b57b3c92f0b8ca333ce8a5cf110561930e Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Mon, 17 Oct 2022 14:38:42 +0800 Subject: [PATCH 014/149] bug fix --- services/badge/user.go | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/services/badge/user.go b/services/badge/user.go index 70fc7bba7..b4273d8d2 100644 --- a/services/badge/user.go +++ b/services/badge/user.go @@ -65,8 +65,8 @@ func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { if err != nil { return nil, err } - r := make([]models.UserAllBadgeInCategory, len(categoryList)) - for i, v := range categoryList { + r := make([]models.UserAllBadgeInCategory, 0) + for _, v := range categoryList { badges, err := models.GetBadgeByCategoryId(v.ID) if badges == nil || len(badges) == 0 { continue @@ -89,7 +89,7 @@ func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { bArray[j] = b } t.Badges = bArray - r[i] = t + r = append(r, t) } return r, nil } From 4e2ec5ac738610556857ce00b8d706c79f9f62f4 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Mon, 17 Oct 2022 14:55:11 +0800 Subject: [PATCH 015/149] add total badges --- models/badge_user.go | 3 +++ routers/user/profile.go | 7 +++++++ services/badge/user.go | 4 ++++ 3 files changed, 14 insertions(+) diff --git a/models/badge_user.go b/models/badge_user.go index 32861248e..9b556bc0e 100644 --- a/models/badge_user.go +++ b/models/badge_user.go @@ -142,6 +142,9 @@ func GetUserBadgesPaging(userId int64, opts GetUserBadgesOpts) ([]*Badge, error) err := x.Join("INNER", "badge_user", "badge_user.badge_id = badge.id").Where(cond).OrderBy("badge_user.id desc").Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).Find(&r) return r, err } +func CountUserBadges(userId int64) (int64, error) { + return x.Where("user_id = ?", userId).Count(&BadgeUser{}) +} func GetUserBadges(userId, categoryId int64) ([]*Badge, error) { cond := builder.NewCond() diff --git a/routers/user/profile.go b/routers/user/profile.go index 1d275c191..66a480b7f 100755 --- a/routers/user/profile.go +++ b/routers/user/profile.go @@ -97,12 +97,19 @@ func Profile(ctx *context.Context) { ctx.ServerError("GetUserBadges", err) return } + // Count user badges + cnt, err := badge.CountUserBadges(ctxUser.ID) + if err != nil { + ctx.ServerError("CountUserBadges", err) + return + } ctx.Data["Title"] = ctxUser.DisplayName() ctx.Data["PageIsUserProfile"] = true ctx.Data["Owner"] = ctxUser ctx.Data["OpenIDs"] = openIDs ctx.Data["RecentBadges"] = badges + ctx.Data["TotalBadges"] = cnt ctx.Data["EnableHeatmap"] = setting.Service.EnableUserHeatmap ctx.Data["HeatmapUser"] = ctxUser.Name showPrivate := ctx.IsSigned && (ctx.User.IsAdmin || ctx.User.ID == ctxUser.ID) diff --git a/services/badge/user.go b/services/badge/user.go index b4273d8d2..025b10f77 100644 --- a/services/badge/user.go +++ b/services/badge/user.go @@ -60,6 +60,10 @@ func GetUserBadges(userId int64, opts models.ListOptions) ([]*models.Badge4UserS return r, nil } +func CountUserBadges(userId int64) (int64, error) { + return models.CountUserBadges(userId) +} + func GetUserAllBadges(userId int64) ([]models.UserAllBadgeInCategory, error) { categoryList, err := models.GetBadgeCategoryList() if err != nil { From 46a28cbd6ce5063f1c7ab9ccf2f9eaa64a7e2e5a Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 17 Oct 2022 14:58:04 +0800 Subject: [PATCH 016/149] =?UTF-8?q?=E5=89=8D=E7=AB=AF=E5=BE=BD=E7=AB=A0?= =?UTF-8?q?=E7=B3=BB=E7=BB=9F=E6=98=BE=E7=A4=BA=E9=A1=B5?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- options/locale/locale_en-US.ini | 1 + options/locale/locale_zh-CN.ini | 1 + templates/repo/badge.tmpl | 25 ++++++++++++ templates/user/profile.tmpl | 18 +++++++++ web_src/less/_user.less | 85 ++++++++++++++++++++++++++++++++++++++++- 5 files changed, 128 insertions(+), 2 deletions(-) create mode 100644 templates/repo/badge.tmpl diff --git a/options/locale/locale_en-US.ini b/options/locale/locale_en-US.ini index dbd3f81f8..c3e2426fb 100755 --- a/options/locale/locale_en-US.ini +++ b/options/locale/locale_en-US.ini @@ -525,6 +525,7 @@ datasets = Datasets activity = Public Activity followers = Followers starred = Starred Repositories +badge = Achievement Badge following = Following follow = Follow unfollow = Unfollow diff --git a/options/locale/locale_zh-CN.ini b/options/locale/locale_zh-CN.ini index 21c4f45bd..bf7549918 100755 --- a/options/locale/locale_zh-CN.ini +++ b/options/locale/locale_zh-CN.ini @@ -530,6 +530,7 @@ datasets=数据集 activity=公开活动 followers=关注者 starred=已点赞 +badge=成就徽章 following=关注中 follow=关注 unfollow=取消关注 diff --git a/templates/repo/badge.tmpl b/templates/repo/badge.tmpl new file mode 100644 index 000000000..61b542be8 --- /dev/null +++ b/templates/repo/badge.tmpl @@ -0,0 +1,25 @@ +
+ {{range .AllBadges }} +
+
{{.CategoryName}}   (已点亮{{.LightedNum}}个)
+ +
+ {{ end }} + {{ template "base/paginate" . }} +
+ diff --git a/templates/user/profile.tmpl b/templates/user/profile.tmpl index be6ecbaa0..f1328b626 100755 --- a/templates/user/profile.tmpl +++ b/templates/user/profile.tmpl @@ -17,6 +17,17 @@ {{if .Owner.FullName}}{{.Owner.FullName}}{{end}} {{.Owner.Name}} + +
+ {{range $k,$v :=.RecentBadges}} + {{if le $k 3}} +
+ {{else}} + + {{end}} + {{end}} + +
{{if eq .TabName "activity"}} @@ -201,6 +217,8 @@ {{template "explore/dataset_search" .}} {{template "explore/dataset_list" .}} {{template "base/paginate" .}} + {{else if eq .TabName "badge"}} + {{template "repo/badge" .}} {{else}} {{template "explore/repo_search" .}} {{template "explore/repo_list" .}} diff --git a/web_src/less/_user.less b/web_src/less/_user.less index 6acbb35ee..c2381820c 100644 --- a/web_src/less/_user.less +++ b/web_src/less/_user.less @@ -9,11 +9,30 @@ .username { display: block; } - + .badge-wrap { + display: flex; + justify-content: center; + align-items: center; + .badge-img-avatar { + width: 32px; + height: 32px; + margin-right: 5px; + } + .badge-more-icon { + width: 32px; + height: 32px; + display: flex; + justify-content: center; + align-items: center; + border-radius: 50%; + border: 1px #f8f9fa solid; + background: #f8f9fa; + } + } .header { font-weight: 700; font-size: 1.3rem; - margin-top: -.2rem; + margin-top: -0.2rem; line-height: 1.3rem; } @@ -158,3 +177,65 @@ max-width: 60px; } } +.badge-achive { + .bagde-section { + color: #000; + margin-top: 28px; + border-bottom: 1px solid #dededf; + } + .bagde-section:last-child { + color: #000; + margin-top: 28px; + border-bottom: none; + } + .badge-section-title { + position: relative; + font-size: 16px; + line-height: 24px; + padding-left: 8px; + margin-bottom: 20px; + display: flex; + justify-content: space-between; + } + .badge-section-children { + width: 100%; + } + .badge-honor-badge { + margin-bottom: 25px; + } + .badge-honor-badge-basic { + display: flex; + align-items: flex-start; + flex-wrap: wrap; + } + .badge-honor-badge-basic-item { + text-align: center; + font-size: 12px; + margin-right: 30px; + color: #101010; + } + .is-not-pointer { + cursor: pointer; + pointer-events: none; + } + .badge-honor-badge-basic-img { + width: 56px; + height: 56px; + margin-bottom: 5px; + } + .badge-honor-badge-basic-txt { + line-height: 20px; + width: 65px; + word-break: break-all; + } + .badge-section-title:before { + content: ""; + position: absolute; + top: 50%; + left: 0; + transform: translateY(-50%); + width: 3px; + height: 1em; + background-color: #000; + } +} From c5feced4f1c877e5885f23b97d69f66debc8b4a6 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 17 Oct 2022 15:48:08 +0800 Subject: [PATCH 017/149] fix issue --- templates/user/profile.tmpl | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/templates/user/profile.tmpl b/templates/user/profile.tmpl index f1328b626..d4e97a961 100755 --- a/templates/user/profile.tmpl +++ b/templates/user/profile.tmpl @@ -184,6 +184,7 @@ {{.i18n.Tr "user.badge"}} +
{{.TotalBadges}}
@@ -246,5 +247,8 @@ .user.profile .ui.card .extra.content ul { padding: 5px 0; } + .ui.secondary.pointing.menu .item{ + padding: 0.78571429em 0.92857143em; + } \ No newline at end of file From 52d69f1287693f5b010b1a83150a0018d2286bcd Mon Sep 17 00:00:00 2001 From: liuzx Date: Mon, 17 Oct 2022 18:02:14 +0800 Subject: [PATCH 018/149] update --- models/cloudbrain_static.go | 53 +++-- modules/cron/tasks_basic.go | 2 +- routers/api/v1/repo/cloudbrain_dashboard.go | 301 ++++++++++++++++++++++++---- routers/repo/cloudbrain_statistic.go | 25 +-- 4 files changed, 313 insertions(+), 68 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index b8f1c8e62..ae9358dc1 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -46,7 +46,6 @@ type CloudbrainDurationStatistic struct { AiCenterName string ComputeResource string AccCardType string - TotalUse bool TotalCanUse bool DateTime string @@ -55,9 +54,20 @@ type CloudbrainDurationStatistic struct { CardsTotalDuration int CardsTotalNum int - DeletedTime timeutil.TimeStamp `xorm:"deleted"` - CreatedTime timeutil.TimeStamp `xorm:"created"` - UpdatedTime timeutil.TimeStamp `xorm:"updated"` + DeletedUnix timeutil.TimeStamp `xorm:"deleted"` + CreatedUnix timeutil.TimeStamp `xorm:"created"` + UpdatedUnix timeutil.TimeStamp `xorm:"updated"` +} +type DurationStatisticOptions struct { + BeginTime time.Time + EndTime time.Time + AiCenterCode string +} +type DateCloudbrainStatistic struct { + Date string `json:"date"` + AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` + AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` + AiCenterUsageRate map[string]int `json:"aiCenterUsageRate"` } func GetTodayCreatorCount(beginTime time.Time, endTime time.Time) (int64, error) { @@ -273,14 +283,14 @@ func InsertCloudbrainDurationStatistic(cloudbrainDurationStatistic *CloudbrainDu return xStatistic.Insert(cloudbrainDurationStatistic) } -func DeleteCloudbrainDurationStatisticHour(date string, hour int, aiCenterCode string, accCardType string, tatalUse bool, totalCanUse bool) error { +func DeleteCloudbrainDurationStatisticHour(date string, hour int, aiCenterCode string, accCardType string, totalCanUse bool) error { sess := xStatistic.NewSession() defer sess.Close() if err := sess.Begin(); err != nil { return fmt.Errorf("Begin: %v", err) } - if _, err := sess.Where("day_time = ? AND hour_time = ? AND ai_center_code = ? AND acc_card_type = ? And total_use = ? And total_can_use = ?", date, hour, aiCenterCode, accCardType, tatalUse, totalCanUse).Delete(&CloudbrainDurationStatistic{}); err != nil { + if _, err := sess.Where("day_time = ? AND hour_time = ? AND ai_center_code = ? AND acc_card_type = ? And total_can_use = ?", date, hour, aiCenterCode, accCardType, totalCanUse).Delete(&CloudbrainDurationStatistic{}); err != nil { return fmt.Errorf("Delete: %v", err) } @@ -307,16 +317,21 @@ func GetCanUseCardInfo() ([]*ResourceQueue, error) { } return ResourceQueues, nil } -func GetCardDurationStatistics(beginTime time.Time, endTime time.Time, totalUse bool, totalCanUse bool) ([]*CloudbrainDurationStatistic, error) { + +func GetCardDurationStatistics(opts *DurationStatisticOptions) ([]*CloudbrainDurationStatistic, error) { sess := xStatistic.NewSession() defer sess.Close() var cond = builder.NewCond() - cond = cond.And( - builder.And(builder.Gte{"cloudbrain_duration_statistic.created_time": beginTime.Unix()}, builder.Lte{"cloudbrain_duration_statistic.created_time": endTime.Unix()}), - ) - cond = cond.And( - builder.And(builder.Eq{"cloudbrain_duration_statistic.total_use": totalUse}, builder.Eq{"cloudbrain_duration_statistic.total_can_use": totalCanUse}), - ) + if opts.BeginTime.Unix() > 0 && opts.EndTime.Unix() > 0 { + cond = cond.And( + builder.And(builder.Gte{"cloudbrain_duration_statistic.created_unix": opts.BeginTime.Unix()}, builder.Lte{"cloudbrain_duration_statistic.created_unix": opts.EndTime.Unix()}), + ) + } + if opts.AiCenterCode != "" { + cond = cond.And( + builder.Eq{"cloudbrain_duration_statistic.ai_center_code": opts.AiCenterCode}, + ) + } CloudbrainDurationStatistics := make([]*CloudbrainDurationStatistic, 0, 10) if err := sess.Table(&CloudbrainDurationStatistic{}).Where(cond). Find(&CloudbrainDurationStatistics); err != nil { @@ -324,3 +339,15 @@ func GetCardDurationStatistics(beginTime time.Time, endTime time.Time, totalUse } return CloudbrainDurationStatistics, nil } + +func GetDurationRecordBeginTime() ([]*CloudbrainDurationStatistic, error) { + sess := xStatistic.NewSession() + defer sess.Close() + sess.OrderBy("cloudbrain_duration_statistic.id ASC limit 1") + CloudbrainDurationStatistics := make([]*CloudbrainDurationStatistic, 0) + if err := sess.Table(&CloudbrainDurationStatistic{}).Unscoped(). + Find(&CloudbrainDurationStatistics); err != nil { + log.Info("find error.") + } + return CloudbrainDurationStatistics, nil +} diff --git a/modules/cron/tasks_basic.go b/modules/cron/tasks_basic.go index 1fe10cb2c..b68d747d8 100755 --- a/modules/cron/tasks_basic.go +++ b/modules/cron/tasks_basic.go @@ -261,7 +261,7 @@ func registerHandleCloudbrainDurationStatistic() { RunAtStart: false, Schedule: "@every 60m", }, func(ctx context.Context, _ *models.User, _ Config) error { - repo.CloudbrainDurationStatistic() + repo.CloudbrainDurationStatisticHour() return nil }) } diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 7d348d578..caac24aad 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -532,6 +532,21 @@ func getPageDateCloudbrainInfo(dateCloudbrainInfo []DateCloudbrainInfo, page int } +func getPageDateCloudbrainDuration(dateCloudbrainDuration []models.DateCloudbrainStatistic, page int, pagesize int) []models.DateCloudbrainStatistic { + begin := (page - 1) * pagesize + end := (page) * pagesize + + if begin > len(dateCloudbrainDuration)-1 { + return nil + } + if end > len(dateCloudbrainDuration)-1 { + return dateCloudbrainDuration[begin:] + } else { + return dateCloudbrainDuration[begin:end] + } + +} + func GetAllCloudbrainsPeriodDistribution(ctx *context.Context) { queryType := ctx.QueryTrim("type") beginTimeStr := ctx.QueryTrim("beginTime") @@ -1426,59 +1441,277 @@ func GetCloudbrainResourceUsage(ctx *context.Context) { } cardUsageRes := make(map[string]int) cardCanUsageRes := make(map[string]int) - cardUseInfo, err := models.GetCardDurationStatistics(beginTime, endTime, true, false) - if err != nil { - log.Error("GetCardDurationStatistics error:", err) - return - } - cardCanUseInfo, err := models.GetCardDurationStatistics(beginTime, endTime, false, true) + cardUtilizationRate := make(map[string]int) + // cardDurationStatistics, err := models.GetCardDurationStatistics(beginTime, endTime) + cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ + BeginTime: beginTime, + EndTime: endTime, + }) if err != nil { log.Error("GetCardDurationStatistics error:", err) return } - for _, cloudbrainStat := range cardUseInfo { - if _, ok := cardUsageRes[cloudbrainStat.AiCenterCode]; !ok { - cardUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration + for _, cloudbrainStat := range cardDurationStatistics { + if cloudbrainStat.TotalCanUse { + if _, ok := cardCanUsageRes[cloudbrainStat.AiCenterCode]; !ok { + cardCanUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration + } else { + cardCanUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + } } else { - cardUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + if _, ok := cardUsageRes[cloudbrainStat.AiCenterCode]; !ok { + cardUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration + } else { + cardUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + } } } - - for _, cloudbrainStat := range cardCanUseInfo { - if _, ok := cardCanUsageRes[cloudbrainStat.AiCenterCode]; !ok { - cardCanUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration - } else { - cardCanUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration + for k, v := range cardCanUsageRes { + for j, i := range cardUsageRes { + if k == j { + cardUtilizationRate[k] = i / v + } } } ctx.JSON(http.StatusOK, map[string]interface{}{ - "cardUseInfo": cardUseInfo, - "cardCanUseInfo": cardCanUseInfo, - "cardUsageRes": cardUsageRes, - "cardCanUsageRes": cardCanUsageRes, + "cardDurationStatistics": cardDurationStatistics, + "cardUsageRes": cardUsageRes, + "cardCanUsageRes": cardCanUsageRes, + "cardUtilizationRate": cardUtilizationRate, }) } + func GetCloudbrainResourceUsageDetail(ctx *context.Context) { - recordBeginTime := time.Now().AddDate(0, 0, -6) - beginTime, endTime, err := getCloudbrainTimePeroid(ctx, recordBeginTime) - if err != nil { - log.Error("getCloudbrainTimePeroid error:", err) - return + queryType := ctx.QueryTrim("type") + now := time.Now() + + beginTimeStr := ctx.QueryTrim("beginTime") + endTimeStr := ctx.QueryTrim("endTime") + var beginTime time.Time + var endTime time.Time + var endTimeTemp time.Time + dayCloudbrainDuration := make([]models.DateCloudbrainStatistic, 0) + var err error + var count int + if queryType != "" { + if queryType == "all" { + recordCloudbrainDuration, err := models.GetDurationRecordBeginTime() + if err != nil { + log.Error("Can not get GetDurationRecordBeginTime", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("repo.record_begintime_get_err")) + return + } + brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() + beginTime = brainRecordBeginTime + endTime = now + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + } else if queryType == "today" { + beginTime = now.AddDate(0, 0, 0) + beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) + endTime = now + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + + } else if queryType == "yesterday" { + beginTime = now.AddDate(0, 0, -1) + beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) + endTime = time.Date(now.Year(), now.Month(), now.Day(), 0, 0, 0, 0, now.Location()) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + + } else if queryType == "last_7day" { + beginTime = now.AddDate(0, 0, -6) + beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) + endTime = now + endTimeTemp = time.Date(endTimeTemp.Year(), endTimeTemp.Month(), endTimeTemp.Day(), 0, 0, 0, 0, now.Location()) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + } else if queryType == "last_30day" { + beginTime = now.AddDate(0, 0, -29) + beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) + endTime = now + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + } else if queryType == "current_month" { + endTime = now + beginTime = time.Date(endTime.Year(), endTime.Month(), 1, 0, 0, 0, 0, now.Location()) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + + } else if queryType == "current_year" { + endTime = now + beginTime = time.Date(endTime.Year(), 1, 1, 0, 0, 0, 0, now.Location()) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + + } else if queryType == "last_month" { + + lastMonthTime := now.AddDate(0, -1, 0) + beginTime = time.Date(lastMonthTime.Year(), lastMonthTime.Month(), 1, 0, 0, 0, 0, now.Location()) + endTime = time.Date(now.Year(), now.Month(), 1, 0, 0, 0, 0, now.Location()) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + + } + + } else { + if beginTimeStr == "" || endTimeStr == "" { + //如果查询类型和开始时间结束时间都未设置,按queryType=all处理 + recordCloudbrainDuration, err := models.GetDurationRecordBeginTime() + if err != nil { + log.Error("Can not get recordCloudbrain", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("repo.record_begintime_get_err")) + return + } + brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() + beginTime = brainRecordBeginTime + endTime = now + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + } else { + beginTime, err = time.ParseInLocation("2006-01-02", beginTimeStr, time.Local) + if err != nil { + log.Error("Can not ParseInLocation.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("ParseInLocation_get_error")) + return + } + endTime, err = time.ParseInLocation("2006-01-02", endTimeStr, time.Local) + if err != nil { + log.Error("Can not ParseInLocation.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("ParseInLocation_get_error")) + return + } + if endTime.After(time.Now()) { + endTime = time.Now() + } + endTimeTemp = beginTime.AddDate(0, 0, 1) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } + } + } - totalUse := true - totalCanUse := false - cardDurationStatisticsInfo, err := models.GetCardDurationStatistics(beginTime, endTime, totalUse, totalCanUse) - if err != nil { - log.Error("GetCardDurationStatistics error:", err) - return + + page := ctx.QueryInt("page") + if page <= 0 { + page = 1 + } + pagesize := ctx.QueryInt("pagesize") + if pagesize <= 0 { + pagesize = 5 } + pageDateCloudbrainDuration := getPageDateCloudbrainDuration(dayCloudbrainDuration, page, pagesize) + ctx.JSON(http.StatusOK, map[string]interface{}{ - "cardDurationStatisticsInfo": cardDurationStatisticsInfo, - "beginTime": beginTime, - "endTime": endTime, + "totalCount": count, + "pageDateCloudbrainDuration": pageDateCloudbrainDuration, }) } + +func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrainStatistics []*models.CloudbrainDurationStatistic) (map[string]int, map[string]int, map[string]int) { + + aiCenterTotalDuration := make(map[string]int) + aiCenterUsageDuration := make(map[string]int) + aiCenterUsageRate := make(map[string]int) + for _, cloudbrainStatistic := range cloudbrainStatistics { + if int64(cloudbrainStatistic.CreatedUnix) >= beginTime.Unix() && int64(cloudbrainStatistic.CreatedUnix) < endTime.Unix() { + if cloudbrainStatistic.TotalCanUse { + if _, ok := aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode]; !ok { + aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + } else { + aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + } + } else { + if _, ok := aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode]; !ok { + aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + } else { + aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + } + } + } + } + for k, v := range aiCenterTotalDuration { + for i, j := range aiCenterUsageDuration { + if k == i { + aiCenterUsageRate[k] = j / v + } + } + } + + return aiCenterUsageDuration, aiCenterTotalDuration, aiCenterUsageRate +} + +func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models.DateCloudbrainStatistic, int, error) { + now := time.Now() + endTimeTemp := time.Date(endTime.Year(), endTime.Month(), endTime.Day(), 0, 0, 0, 0, now.Location()) + if endTimeTemp.Equal(endTime) { + endTimeTemp = endTimeTemp.AddDate(0, 0, -1) + } + cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ + BeginTime: beginTime, + EndTime: endTime, + }) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return nil, 0, err + } + dayCloudbrainInfo := make([]models.DateCloudbrainStatistic, 0) + count := 0 + for beginTime.Before(endTimeTemp) || beginTime.Equal(endTimeTemp) { + aiCenterUsageDuration, aiCenterTotalDuration, aiCenterUsageRate := getAiCenterUsageDuration(endTimeTemp, endTime, cardDurationStatistics) + dayCloudbrainInfo = append(dayCloudbrainInfo, models.DateCloudbrainStatistic{ + Date: endTimeTemp.Format("2006/01/02"), + AiCenterUsageDuration: aiCenterUsageDuration, + AiCenterTotalDuration: aiCenterTotalDuration, + AiCenterUsageRate: aiCenterUsageRate, + }) + endTime = endTimeTemp + endTimeTemp = endTimeTemp.AddDate(0, 0, -1) + count += 1 + } + return dayCloudbrainInfo, count, nil +} diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index c7546c1c6..da1849096 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -4,19 +4,11 @@ import ( "time" "code.gitea.io/gitea/models" - "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/timeutil" ) -func CloudbrainDurationStatistic() { - log.Info("Generate Cloudbrain Duration statistic begin") - // yesterday := time.Now().AddDate(0, 0, -1).Format("2006-01-02") - // CloudbrainDurationStatisticHour(yesterday) - log.Info("Generate Cloudbrain Duration statistic end") -} - -func CloudbrainDurationStatisticHour(ctx *context.Context) { +func CloudbrainDurationStatisticHour() { hourTime := time.Now().Hour() dateTime := time.Now().Format("2006-01-02 15:04:05") dayTime := time.Now().Format("2006-01-02") @@ -25,11 +17,9 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { m, _ := time.ParseDuration("-1h") beginTime := currentTime.Add(m).Unix() endTime := currentTime.Unix() - // fmt.Println(beginTime) ciTasks1, err := models.GetCloudbrainRunning() if err != nil { - // ctx.ServerError("Get job failed:", err) log.Info("GetCloudbrainRunning err: %v", err) return } @@ -38,7 +28,6 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { log.Info("beginTime: %s", beginTime) log.Info("endTime: %s", endTime) if err != nil { - // ctx.ServerError("Get job failed:", err) log.Info("GetCloudbrainCompleteByTime err: %v", err) return } @@ -55,9 +44,8 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { } log.Info("cloudbrain: %s", cloudbrain) if cloudbrain != nil { - totalUse := true totalCanUse := false - if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, centerCode, cardType, totalUse, totalCanUse); err != nil { + if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, centerCode, cardType, totalCanUse); err != nil { log.Error("DeleteCloudbrainDurationStatisticHour failed: %v", err.Error()) return } @@ -71,8 +59,7 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { ComputeResource: cloudbrain[0].ComputeResource, AccCardType: cardType, CardsTotalDuration: cardDuration, - CreatedTime: timeutil.TimeStampNow(), - TotalUse: true, + CreatedUnix: timeutil.TimeStampNow(), TotalCanUse: false, } if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { @@ -90,9 +77,8 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { } log.Info("resourceQueues here: %s", resourceQueues) for _, resourceQueue := range resourceQueues { - totalUse := false totalCanUse := true - if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, resourceQueue.AiCenterCode, resourceQueue.AccCardType, totalUse, totalCanUse); err != nil { + if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, resourceQueue.AiCenterCode, resourceQueue.AccCardType, totalCanUse); err != nil { log.Error("DeleteCloudbrainDurationStatisticHour failed: %v", err.Error()) return } @@ -108,8 +94,7 @@ func CloudbrainDurationStatisticHour(ctx *context.Context) { AccCardType: resourceQueue.AccCardType, CardsTotalDuration: cardsTotalDuration, CardsTotalNum: resourceQueue.CardsTotalNum, - CreatedTime: timeutil.TimeStampNow(), - TotalUse: false, + CreatedUnix: timeutil.TimeStampNow(), TotalCanUse: true, } if _, err = models.InsertCloudbrainDurationStatistic(&cloudbrainDurationStat); err != nil { From f80265742ca9e0b357c859576d5883cd8cc6bc32 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 18 Oct 2022 11:38:33 +0800 Subject: [PATCH 019/149] =?UTF-8?q?=E4=B8=AA=E4=BA=BA=E9=A1=B5=E5=BE=BD?= =?UTF-8?q?=E7=AB=A0=E5=A4=A7=E5=B0=8F=E6=A0=B7=E5=BC=8F=E6=9B=B4=E6=94=B9?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- web_src/less/_user.less | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/web_src/less/_user.less b/web_src/less/_user.less index c2381820c..e07831c25 100644 --- a/web_src/less/_user.less +++ b/web_src/less/_user.less @@ -219,13 +219,13 @@ pointer-events: none; } .badge-honor-badge-basic-img { - width: 56px; - height: 56px; - margin-bottom: 5px; + width: 100px; + height: 100px; + margin-bottom: 10px; } .badge-honor-badge-basic-txt { line-height: 20px; - width: 65px; + width: 100px; word-break: break-all; } .badge-section-title:before { From 9d1ceabf9cfab9a6fd581803bc8a7f8e88e18ccf Mon Sep 17 00:00:00 2001 From: liuzx Date: Tue, 18 Oct 2022 18:04:22 +0800 Subject: [PATCH 020/149] update --- models/cloudbrain_static.go | 23 +++-- modules/cron/tasks_basic.go | 4 +- routers/api/v1/repo/cloudbrain_dashboard.go | 148 ++++++++++++++++++++++++++-- 3 files changed, 161 insertions(+), 14 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index ae9358dc1..3c5da2fd3 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -63,11 +63,23 @@ type DurationStatisticOptions struct { EndTime time.Time AiCenterCode string } + +type DurationRateStatistic struct { + AiCenterTotalDurationStat map[string]int `json:"aiCenterTotalDurationStat"` + AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` + TotalUsageRate float64 `json:"totalUsageRate"` +} type DateCloudbrainStatistic struct { - Date string `json:"date"` - AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` - AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` - AiCenterUsageRate map[string]int `json:"aiCenterUsageRate"` + Date string `json:"date"` + AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` + AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` + AiCenterUsageRate map[string]float64 `json:"aiCenterUsageRate"` +} + +type HourTimeStatistic struct { + HourTimeUsageDuration map[int]int `json:"hourTimeUsageDuration"` + HourTimeTotalDuration map[int]int `json:"hourTimeTotalDuration"` + HourTimeUsageRate map[int]float64 `json:"hourTimeUsageRate"` } func GetTodayCreatorCount(beginTime time.Time, endTime time.Time) (int64, error) { @@ -345,8 +357,7 @@ func GetDurationRecordBeginTime() ([]*CloudbrainDurationStatistic, error) { defer sess.Close() sess.OrderBy("cloudbrain_duration_statistic.id ASC limit 1") CloudbrainDurationStatistics := make([]*CloudbrainDurationStatistic, 0) - if err := sess.Table(&CloudbrainDurationStatistic{}).Unscoped(). - Find(&CloudbrainDurationStatistics); err != nil { + if err := sess.Table(&CloudbrainDurationStatistic{}).Find(&CloudbrainDurationStatistics); err != nil { log.Info("find error.") } return CloudbrainDurationStatistics, nil diff --git a/modules/cron/tasks_basic.go b/modules/cron/tasks_basic.go index b68d747d8..38ac37852 100755 --- a/modules/cron/tasks_basic.go +++ b/modules/cron/tasks_basic.go @@ -259,7 +259,7 @@ func registerHandleCloudbrainDurationStatistic() { RegisterTaskFatal("handle_cloudbrain_duration_statistic", &BaseConfig{ Enabled: true, RunAtStart: false, - Schedule: "@every 60m", + Schedule: "55 59 * * * ?", }, func(ctx context.Context, _ *models.User, _ Config) error { repo.CloudbrainDurationStatisticHour() return nil @@ -283,7 +283,6 @@ func initBasicTasks() { registerHandleRepoAndUserStatistic() registerHandleSummaryStatistic() - registerHandleCloudbrainDurationStatistic() registerSyncCloudbrainStatus() registerHandleOrgStatistic() @@ -292,4 +291,5 @@ func initBasicTasks() { //registerRewardPeriodTask() registerCloudbrainPointDeductTask() + registerHandleCloudbrainDurationStatistic() } diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index caac24aad..468692663 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1487,13 +1487,15 @@ func GetCloudbrainResourceUsage(ctx *context.Context) { func GetCloudbrainResourceUsageDetail(ctx *context.Context) { queryType := ctx.QueryTrim("type") now := time.Now() - beginTimeStr := ctx.QueryTrim("beginTime") endTimeStr := ctx.QueryTrim("endTime") + aiCenterCode := ctx.QueryTrim("aiCenterCode") + var beginTime time.Time var endTime time.Time var endTimeTemp time.Time dayCloudbrainDuration := make([]models.DateCloudbrainStatistic, 0) + hourCloudbrainDuration := models.HourTimeStatistic{} var err error var count int if queryType != "" { @@ -1505,14 +1507,22 @@ func GetCloudbrainResourceUsageDetail(ctx *context.Context) { return } brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() + log.Info("recordCloudbrainDuration:", recordCloudbrainDuration) + log.Info("brainRecordBeginTime:", brainRecordBeginTime) beginTime = brainRecordBeginTime endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime, aiCenterCode) if err != nil { log.Error("Can not query dayCloudbrainDuration.", err) ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) return } + hourCloudbrainDuration = getHourCloudbrainDuration(beginTime, endTime, aiCenterCode) + if err != nil { + log.Error("Can not query hourCloudbrainDuration.", err) + ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) + return + } } else if queryType == "today" { beginTime = now.AddDate(0, 0, 0) beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) @@ -1644,19 +1654,21 @@ func GetCloudbrainResourceUsageDetail(ctx *context.Context) { pagesize = 5 } pageDateCloudbrainDuration := getPageDateCloudbrainDuration(dayCloudbrainDuration, page, pagesize) + durationRateStatistic := getDurationStatistic(beginTime, endTime) ctx.JSON(http.StatusOK, map[string]interface{}{ "totalCount": count, "pageDateCloudbrainDuration": pageDateCloudbrainDuration, + "durationRateStatistic": durationRateStatistic, + "hourCloudbrainDuration": hourCloudbrainDuration, }) } -func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrainStatistics []*models.CloudbrainDurationStatistic) (map[string]int, map[string]int, map[string]int) { - +func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrainStatistics []*models.CloudbrainDurationStatistic) (map[string]int, map[string]int, map[string]float64) { aiCenterTotalDuration := make(map[string]int) aiCenterUsageDuration := make(map[string]int) - aiCenterUsageRate := make(map[string]int) + aiCenterUsageRate := make(map[string]float64) for _, cloudbrainStatistic := range cloudbrainStatistics { if int64(cloudbrainStatistic.CreatedUnix) >= beginTime.Unix() && int64(cloudbrainStatistic.CreatedUnix) < endTime.Unix() { if cloudbrainStatistic.TotalCanUse { @@ -1674,10 +1686,21 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain } } } + ResourceAiCenterRes, err := models.GetResourceAiCenters() + if err != nil { + log.Error("Can not get ResourceAiCenterRes.", err) + return nil, nil, nil + } + for _, v := range ResourceAiCenterRes { + if _, ok := aiCenterUsageDuration[v.AiCenterCode]; !ok { + aiCenterUsageDuration[v.AiCenterCode] = 0 + } + } + for k, v := range aiCenterTotalDuration { for i, j := range aiCenterUsageDuration { if k == i { - aiCenterUsageRate[k] = j / v + aiCenterUsageRate[k] = float64(j) / float64(v) } } } @@ -1685,6 +1708,61 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain return aiCenterUsageDuration, aiCenterTotalDuration, aiCenterUsageRate } +func getDurationStatistic(beginTime time.Time, endTime time.Time) models.DurationRateStatistic { + aiCenterTotalDurationStat := make(map[string]int) + aiCenterUsageDurationStat := make(map[string]int) + durationRateStatistic := models.DurationRateStatistic{} + cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ + BeginTime: beginTime, + EndTime: endTime, + }) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return durationRateStatistic + } + for _, cloudbrainStatistic := range cardDurationStatistics { + if cloudbrainStatistic.TotalCanUse { + if _, ok := aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode]; !ok { + aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + } else { + aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + } + } else { + if _, ok := aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode]; !ok { + aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + } else { + aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + } + } + } + ResourceAiCenterRes, err := models.GetResourceAiCenters() + if err != nil { + log.Error("Can not get ResourceAiCenterRes.", err) + return durationRateStatistic + } + for _, v := range ResourceAiCenterRes { + if _, ok := aiCenterUsageDurationStat[v.AiCenterCode]; !ok { + aiCenterUsageDurationStat[v.AiCenterCode] = 0 + } + } + totalCanUse := float64(0) + totalUse := float64(0) + for k, v := range aiCenterTotalDurationStat { + for i, j := range aiCenterUsageDurationStat { + if k == i { + totalUse += float64(j) + totalCanUse += float64(v) + } + } + } + totalUsageRate := totalUse / totalCanUse + + durationRateStatistic.AiCenterTotalDurationStat = aiCenterTotalDurationStat + durationRateStatistic.AiCenterUsageDurationStat = aiCenterUsageDurationStat + durationRateStatistic.TotalUsageRate = totalUsageRate + return durationRateStatistic +} + func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models.DateCloudbrainStatistic, int, error) { now := time.Now() endTimeTemp := time.Date(endTime.Year(), endTime.Month(), endTime.Day(), 0, 0, 0, 0, now.Location()) @@ -1699,6 +1777,7 @@ func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models. log.Error("GetCardDurationStatistics error:", err) return nil, 0, err } + dayCloudbrainInfo := make([]models.DateCloudbrainStatistic, 0) count := 0 for beginTime.Before(endTimeTemp) || beginTime.Equal(endTimeTemp) { @@ -1711,7 +1790,64 @@ func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models. }) endTime = endTimeTemp endTimeTemp = endTimeTemp.AddDate(0, 0, -1) + if endTimeTemp.Before(beginTime) && beginTime.Before(endTime) { + endTimeTemp = beginTime + } count += 1 } return dayCloudbrainInfo, count, nil } + +func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) models.HourTimeStatistic { + hourTimeTotalDuration := make(map[int]int) + hourTimeUsageDuration := make(map[int]int) + hourTimeUsageRate := make(map[int]float64) + hourTimeStatistic := models.HourTimeStatistic{} + + cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ + BeginTime: beginTime, + EndTime: endTime, + }) + if err != nil { + log.Error("GetCardDurationStatistics error:", err) + return hourTimeStatistic + } + for _, cloudbrainStatistic := range cardDurationStatistics { + if cloudbrainStatistic.AiCenterCode == aiCenterCode { + if cloudbrainStatistic.TotalCanUse { + if _, ok := hourTimeTotalDuration[cloudbrainStatistic.HourTime]; !ok { + hourTimeTotalDuration[cloudbrainStatistic.HourTime] = cloudbrainStatistic.CardsTotalDuration + } else { + hourTimeTotalDuration[cloudbrainStatistic.HourTime] += cloudbrainStatistic.CardsTotalDuration + } + } else { + if _, ok := hourTimeUsageDuration[cloudbrainStatistic.HourTime]; !ok { + hourTimeUsageDuration[cloudbrainStatistic.HourTime] = cloudbrainStatistic.CardsTotalDuration + } else { + hourTimeUsageDuration[cloudbrainStatistic.HourTime] += cloudbrainStatistic.CardsTotalDuration + } + } + hourTimeList := []int{0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23} + for _, v := range hourTimeList { + if _, ok := hourTimeUsageDuration[v]; !ok { + hourTimeUsageDuration[v] = 0 + } + if _, ok := hourTimeTotalDuration[v]; !ok { + hourTimeTotalDuration[v] = 0 + } + } + + for k, v := range hourTimeTotalDuration { + for i, j := range hourTimeUsageDuration { + if k == i { + hourTimeUsageRate[k] = float64(j) / float64(v) + } + } + } + } + } + hourTimeStatistic.HourTimeTotalDuration = hourTimeTotalDuration + hourTimeStatistic.HourTimeUsageDuration = hourTimeUsageDuration + hourTimeStatistic.HourTimeUsageRate = hourTimeUsageRate + return hourTimeStatistic +} From c0d643a2b41fa2fd8d858a40a27837cfd7faf80f Mon Sep 17 00:00:00 2001 From: liuzx Date: Tue, 18 Oct 2022 18:05:31 +0800 Subject: [PATCH 021/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 468692663..781bc6280 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1511,7 +1511,7 @@ func GetCloudbrainResourceUsageDetail(ctx *context.Context) { log.Info("brainRecordBeginTime:", brainRecordBeginTime) beginTime = brainRecordBeginTime endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime, aiCenterCode) + dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) if err != nil { log.Error("Can not query dayCloudbrainDuration.", err) ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) From 7d8a70d99a39f6dd237579d78d50dada4cd9512e Mon Sep 17 00:00:00 2001 From: chenshihai Date: Wed, 19 Oct 2022 11:25:48 +0800 Subject: [PATCH 022/149] =?UTF-8?q?#2988=20npu=E8=B0=83=E8=AF=95=E4=BB=BB?= =?UTF-8?q?=E5=8A=A1=E8=AF=A6=E6=83=85=E9=A1=B5=E9=95=9C=E5=83=8F=E5=AD=97?= =?UTF-8?q?=E6=AE=B5=E6=82=AC=E6=B5=AE=E6=8F=90=E7=A4=BA=E6=96=87=E5=AD=97?= =?UTF-8?q?=E4=B8=8D=E5=AF=B9=20=09#2987=20=E6=99=BA=E7=AE=97gpu=E8=AE=AD?= =?UTF-8?q?=E7=BB=83=E4=BB=BB=E5=8A=A1=E8=AF=A6=E6=83=85=E9=A1=B5=E9=9D=A2?= =?UTF-8?q?AI=E5=BC=95=E6=93=8E=E5=AD=97=E6=AE=B5=E5=BA=94=E5=8F=AB?= =?UTF-8?q?=E9=95=9C=E5=83=8F=20=09#2989=20=E4=B8=AA=E4=BA=BA=E4=B8=AD?= =?UTF-8?q?=E5=BF=83-=E4=BA=91=E8=84=91=E4=BB=BB=E5=8A=A1=E9=A1=B5?= =?UTF-8?q?=E9=9D=A2=E7=82=B9=E5=87=BB=E4=BF=AE=E6=94=B9=E5=86=8D=E7=82=B9?= =?UTF-8?q?=E5=87=BB=E5=8F=96=E6=B6=88=E5=BA=94=E8=BF=94=E5=9B=9E=E4=B8=AA?= =?UTF-8?q?=E4=BA=BA=E4=B8=AD=E5=BF=83-=E4=BA=91=E8=84=91=E4=BB=BB?= =?UTF-8?q?=E5=8A=A1=E5=88=97=E8=A1=A8?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- templates/admin/cloudbrain/list.tmpl | 14 +++++++++++++- templates/repo/cloudbrain/trainjob/new.tmpl | 6 +++++- templates/repo/grampus/trainjob/gpu/new.tmpl | 6 +++++- templates/repo/grampus/trainjob/npu/new.tmpl | 6 +++++- templates/repo/grampus/trainjob/show.tmpl | 21 +++++++++++++++++++++ templates/repo/modelarts/notebook/show.tmpl | 6 +++--- templates/repo/modelarts/trainjob/index.tmpl | 12 +++++++++++- templates/repo/modelarts/trainjob/version_new.tmpl | 20 ++++++++++++-------- templates/user/dashboard/cloudbrains.tmpl | 15 ++++++++++++++- 9 files changed, 89 insertions(+), 17 deletions(-) diff --git a/templates/admin/cloudbrain/list.tmpl b/templates/admin/cloudbrain/list.tmpl index 4c500b5e6..eb418d70b 100755 --- a/templates/admin/cloudbrain/list.tmpl +++ b/templates/admin/cloudbrain/list.tmpl @@ -290,7 +290,7 @@ {{if eq .JobType "TRAIN"}} - + {{template "base/footer" .}} \ No newline at end of file diff --git a/templates/repo/cloudbrain/trainjob/new.tmpl b/templates/repo/cloudbrain/trainjob/new.tmpl index 607af5f07..0ca76ad0d 100755 --- a/templates/repo/cloudbrain/trainjob/new.tmpl +++ b/templates/repo/cloudbrain/trainjob/new.tmpl @@ -232,7 +232,7 @@ - {{.i18n.Tr "repo.cloudbrain.cancel"}} @@ -256,5 +256,9 @@ memory: {{$.i18n.Tr "cloudbrain.memory"}}, shared_memory: {{$.i18n.Tr "cloudbrain.shared_memory"}}, }); + var backUrl = new URLSearchParams(window.location.search).get("backurl"); + if (backUrl) { + $('.__btn-cancel-back__').attr('href', backUrl); + } })(); diff --git a/templates/repo/grampus/trainjob/gpu/new.tmpl b/templates/repo/grampus/trainjob/gpu/new.tmpl index e97ccfe59..cd4970632 100755 --- a/templates/repo/grampus/trainjob/gpu/new.tmpl +++ b/templates/repo/grampus/trainjob/gpu/new.tmpl @@ -205,7 +205,7 @@ - {{.i18n.Tr "repo.cloudbrain.cancel"}} + {{.i18n.Tr "repo.cloudbrain.cancel"}} @@ -228,5 +228,9 @@ memory: {{$.i18n.Tr "cloudbrain.memory"}}, shared_memory: {{$.i18n.Tr "cloudbrain.shared_memory"}}, }); + var backUrl = new URLSearchParams(window.location.search).get("backurl"); + if (backUrl) { + $('.__btn-cancel-back__').attr('href', backUrl); + } })(); diff --git a/templates/repo/grampus/trainjob/npu/new.tmpl b/templates/repo/grampus/trainjob/npu/new.tmpl index 51a561d3d..925ae3915 100755 --- a/templates/repo/grampus/trainjob/npu/new.tmpl +++ b/templates/repo/grampus/trainjob/npu/new.tmpl @@ -229,7 +229,7 @@ - {{.i18n.Tr "repo.cloudbrain.cancel"}} + {{.i18n.Tr "repo.cloudbrain.cancel"}} @@ -252,5 +252,9 @@ memory: {{$.i18n.Tr "cloudbrain.memory"}}, shared_memory: {{$.i18n.Tr "cloudbrain.shared_memory"}}, }); + var backUrl = new URLSearchParams(window.location.search).get("backurl"); + if (backUrl) { + $('.__btn-cancel-back__').attr('href', backUrl); + } })(); diff --git a/templates/repo/grampus/trainjob/show.tmpl b/templates/repo/grampus/trainjob/show.tmpl index 67548696f..67c415488 100755 --- a/templates/repo/grampus/trainjob/show.tmpl +++ b/templates/repo/grampus/trainjob/show.tmpl @@ -385,6 +385,26 @@
+ {{ if eq $.Spec.ComputeResource "GPU"}} + + + + + {{else}} + {{end}} - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +
+ {{$.i18n.Tr "cloudbrain.mirror"}} + +
+ + {{.EngineName}} + +
+
{{$.i18n.Tr "repo.modelarts.train_job.AI_driver"}} @@ -395,6 +415,7 @@
{{$.i18n.Tr "repo.modelarts.code_version"}} diff --git a/templates/repo/modelarts/notebook/show.tmpl b/templates/repo/modelarts/notebook/show.tmpl index 0f632eab2..cc65ad0b8 100755 --- a/templates/repo/modelarts/notebook/show.tmpl +++ b/templates/repo/modelarts/notebook/show.tmpl @@ -364,9 +364,9 @@
{{.Image}} diff --git a/templates/repo/modelarts/trainjob/index.tmpl b/templates/repo/modelarts/trainjob/index.tmpl index 19594d349..f131a0e38 100755 --- a/templates/repo/modelarts/trainjob/index.tmpl +++ b/templates/repo/modelarts/trainjob/index.tmpl @@ -173,7 +173,7 @@
{{$.CsrfTokenHtml}} {{if .CanModify}} - + {{$.i18n.Tr "repo.modelarts.modify"}} {{else}} @@ -273,4 +273,14 @@ $('.ui.selection.dropdown').dropdown({ } }) }) +document.addEventListener('DOMContentLoaded', function() { + var editbtns = $('.__btn_edit__'); + var curHref = window.location.href; + for (var i = 0, iLen = editbtns.length; i < iLen; i++) { + var buttonEl = editbtns.eq(i); + var oHref = buttonEl.attr('href'); + var hasSearch = oHref.split('?').length > 1; + buttonEl.attr('href', oHref + (hasSearch ? '&' : '?') + 'backurl=' + encodeURIComponent(curHref)); + } +}); diff --git a/templates/repo/modelarts/trainjob/version_new.tmpl b/templates/repo/modelarts/trainjob/version_new.tmpl index 89bf6fc08..ea01d9739 100644 --- a/templates/repo/modelarts/trainjob/version_new.tmpl +++ b/templates/repo/modelarts/trainjob/version_new.tmpl @@ -273,15 +273,19 @@ {{template "base/footer" .}} - {{template "base/footer" .}} From f1ad30cd11d2b2e2380e748bff73e1625f1bef14 Mon Sep 17 00:00:00 2001 From: liuzx Date: Wed, 19 Oct 2022 16:13:36 +0800 Subject: [PATCH 023/149] update --- models/cloudbrain_static.go | 33 ++- routers/api/v1/api.go | 5 +- routers/api/v1/repo/cloudbrain_dashboard.go | 368 ++++++++++++++-------------- 3 files changed, 214 insertions(+), 192 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index 3c5da2fd3..ea93015b3 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -38,6 +38,16 @@ type TaskDetail struct { WorkServerNum int64 `json:"WorkServerNum"` Spec *Specification `json:"Spec"` } +type CardTypeAndNum struct { + CardType string `json:"CardType"` + Num int `json:"Num"` + ComputeResource string `json:"computeResource"` +} +type ResourceOverview struct { + Cluster string `json:"cluster"` + AiCenterCode string `json:"aiCenterCode"` + CardTypeAndNum []CardTypeAndNum `json:"cardTypeAndNum"` +} type CloudbrainDurationStatistic struct { ID int64 `xorm:"pk autoincr"` @@ -69,17 +79,24 @@ type DurationRateStatistic struct { AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` TotalUsageRate float64 `json:"totalUsageRate"` } -type DateCloudbrainStatistic struct { - Date string `json:"date"` - AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` - AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` - AiCenterUsageRate map[string]float64 `json:"aiCenterUsageRate"` + +// type DateCloudbrainStatistic struct { +// Date string `json:"date"` +// AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` +// AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` +// AiCenterUsageRate map[string]float64 `json:"aiCenterUsageRate"` +// } +type DateUsageStatistic struct { + Date string `json:"date"` + UsageDuration int `json:"usageDuration"` + TotalDuration int `json:"totalDuration"` + UsageRate float64 `json:"usageRate"` } type HourTimeStatistic struct { - HourTimeUsageDuration map[int]int `json:"hourTimeUsageDuration"` - HourTimeTotalDuration map[int]int `json:"hourTimeTotalDuration"` - HourTimeUsageRate map[int]float64 `json:"hourTimeUsageRate"` + HourTimeUsageDuration map[string]int `json:"hourTimeUsageDuration"` + HourTimeTotalDuration map[string]int `json:"hourTimeTotalDuration"` + HourTimeUsageRate map[string]float64 `json:"hourTimeUsageRate"` } func GetTodayCreatorCount(beginTime time.Time, endTime time.Time) (int64, error) { diff --git a/routers/api/v1/api.go b/routers/api/v1/api.go index 06be12e92..2964e87ce 100755 --- a/routers/api/v1/api.go +++ b/routers/api/v1/api.go @@ -601,8 +601,9 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/running_top_data", repo.GetRunningTop) m.Get("/overview_resource", repo.GetCloudbrainResourceOverview) - m.Get("/resource_usage", repo.GetCloudbrainResourceUsage) - m.Get("/resource_usage_detail", repo.GetCloudbrainResourceUsageDetail) + m.Get("/resource_usage_statistic", repo.GetDurationRateStatistic) + m.Get("/resource_usage_rate", repo.GetCloudbrainResourceUsage) + m.Get("/resource_usage_rate_detail", repo.GetCloudbrainResourceUsageDetail) }) }, operationReq) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 781bc6280..2e5e77078 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -4,6 +4,7 @@ import ( "fmt" "net/http" "net/url" + "strconv" "strings" "time" @@ -532,17 +533,17 @@ func getPageDateCloudbrainInfo(dateCloudbrainInfo []DateCloudbrainInfo, page int } -func getPageDateCloudbrainDuration(dateCloudbrainDuration []models.DateCloudbrainStatistic, page int, pagesize int) []models.DateCloudbrainStatistic { +func getPageDateCloudbrainDuration(dateUsageStatistic []models.DateUsageStatistic, page int, pagesize int) []models.DateUsageStatistic { begin := (page - 1) * pagesize end := (page) * pagesize - if begin > len(dateCloudbrainDuration)-1 { + if begin > len(dateUsageStatistic)-1 { return nil } - if end > len(dateCloudbrainDuration)-1 { - return dateCloudbrainDuration[begin:] + if end > len(dateUsageStatistic)-1 { + return dateUsageStatistic[begin:] } else { - return dateCloudbrainDuration[begin:end] + return dateUsageStatistic[begin:end] } } @@ -1425,9 +1426,53 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { log.Info("GetCanUseCardInfo err: %v", err) return } + // ResourceAiCenterRes, err := models.GetResourceAiCenters() + // if err != nil { + // log.Error("Can not get ResourceAiCenterRes.", err) + // return + // } + resourceOverviews := []models.ResourceOverview{} + resourceOpenIOne := models.ResourceOverview{} + resourceOpenITwo := models.ResourceOverview{} + // resourceChengdu := models.ResourceOverview{} + + for _, resourceQueue := range resourceQueues { + if resourceQueue.Cluster == models.OpenICluster { + if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainOne { + resourceOpenIOne.Cluster = models.OpenICluster + resourceOpenIOne.AiCenterCode = models.AICenterOfCloudBrainOne + cardTypeNum := models.CardTypeAndNum{} + cardTypeNum.CardType = resourceQueue.AccCardType + cardTypeNum.Num = resourceQueue.CardsTotalNum + cardTypeNum.ComputeResource = resourceQueue.ComputeResource + resourceOpenIOne.CardTypeAndNum = append(resourceOpenIOne.CardTypeAndNum, cardTypeNum) + } + if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainTwo { + resourceOpenITwo.Cluster = models.OpenICluster + resourceOpenITwo.AiCenterCode = models.AICenterOfCloudBrainTwo + cardTypeNum := models.CardTypeAndNum{} + cardTypeNum.CardType = resourceQueue.AccCardType + cardTypeNum.Num = resourceQueue.CardsTotalNum + cardTypeNum.ComputeResource = resourceQueue.ComputeResource + resourceOpenITwo.CardTypeAndNum = append(resourceOpenITwo.CardTypeAndNum, cardTypeNum) + } + // if resourceQueue.AiCenterCode == models.AICenterOfChengdu { + // resourceChengdu.Cluster = models.OpenICluster + // resourceChengdu.AiCenterCode = models.AICenterOfChengdu + // cardTypeNum := models.CardTypeAndNum{} + // cardTypeNum.CardType = resourceQueue.AccCardType + // cardTypeNum.Num = resourceQueue.CardsTotalNum + // cardTypeNum.ComputeResource = resourceQueue.ComputeResource + // resourceChengdu.CardTypeAndNum = append(resourceChengdu.CardTypeAndNum, cardTypeNum) + // } + } + } + resourceOverviews = append(resourceOverviews, resourceOpenIOne) + resourceOverviews = append(resourceOverviews, resourceOpenITwo) + // resourceOverviews = append(resourceOverviews, resourceChengdu) ctx.JSON(http.StatusOK, map[string]interface{}{ - "resourceQueues": resourceQueues, + "resourceOverviews": resourceOverviews, }) } @@ -1485,119 +1530,96 @@ func GetCloudbrainResourceUsage(ctx *context.Context) { } func GetCloudbrainResourceUsageDetail(ctx *context.Context) { + aiCenterCode := ctx.QueryTrim("aiCenterCode") + log.Info("aiCenterCode: %v", aiCenterCode) + if aiCenterCode == "" { + aiCenterCode = "OpenIOne" + } + beginTime, endTime := getBeginAndEndTime(ctx) + dayCloudbrainDuration, count, err := getDayCloudbrainDuration(beginTime, endTime, aiCenterCode) + if err != nil { + log.Error("Can not query dayCloudbrainDuration.", err) + return + } + hourCloudbrainDuration, err := getHourCloudbrainDuration(beginTime, endTime, aiCenterCode) + if err != nil { + log.Error("Can not query hourCloudbrainDuration.", err) + return + } + page := ctx.QueryInt("page") + if page <= 0 { + page = 1 + } + pagesize := ctx.QueryInt("pagesize") + if pagesize <= 0 { + pagesize = 36500 + } + pageDateCloudbrainDuration := getPageDateCloudbrainDuration(dayCloudbrainDuration, page, pagesize) + ctx.JSON(http.StatusOK, map[string]interface{}{ + "totalCount": count, + "pageDateCloudbrainDuration": pageDateCloudbrainDuration, + "hourCloudbrainDuration": hourCloudbrainDuration, + }) +} + +func GetDurationRateStatistic(ctx *context.Context) { + beginTime, endTime := getBeginAndEndTime(ctx) + durationRateStatistic := getDurationStatistic(beginTime, endTime) + + ctx.JSON(http.StatusOK, map[string]interface{}{ + "durationRateStatistic": durationRateStatistic, + }) + +} + +func getBeginAndEndTime(ctx *context.Context) (time.Time, time.Time) { queryType := ctx.QueryTrim("type") now := time.Now() beginTimeStr := ctx.QueryTrim("beginTime") endTimeStr := ctx.QueryTrim("endTime") - aiCenterCode := ctx.QueryTrim("aiCenterCode") var beginTime time.Time var endTime time.Time - var endTimeTemp time.Time - dayCloudbrainDuration := make([]models.DateCloudbrainStatistic, 0) - hourCloudbrainDuration := models.HourTimeStatistic{} var err error - var count int if queryType != "" { if queryType == "all" { recordCloudbrainDuration, err := models.GetDurationRecordBeginTime() if err != nil { log.Error("Can not get GetDurationRecordBeginTime", err) ctx.Error(http.StatusBadRequest, ctx.Tr("repo.record_begintime_get_err")) - return + return beginTime, endTime } brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() - log.Info("recordCloudbrainDuration:", recordCloudbrainDuration) - log.Info("brainRecordBeginTime:", brainRecordBeginTime) beginTime = brainRecordBeginTime endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } - hourCloudbrainDuration = getHourCloudbrainDuration(beginTime, endTime, aiCenterCode) - if err != nil { - log.Error("Can not query hourCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else if queryType == "today" { beginTime = now.AddDate(0, 0, 0) beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else if queryType == "yesterday" { beginTime = now.AddDate(0, 0, -1) beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) endTime = time.Date(now.Year(), now.Month(), now.Day(), 0, 0, 0, 0, now.Location()) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } - } else if queryType == "last_7day" { beginTime = now.AddDate(0, 0, -6) beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) endTime = now - endTimeTemp = time.Date(endTimeTemp.Year(), endTimeTemp.Month(), endTimeTemp.Day(), 0, 0, 0, 0, now.Location()) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else if queryType == "last_30day" { beginTime = now.AddDate(0, 0, -29) beginTime = time.Date(beginTime.Year(), beginTime.Month(), beginTime.Day(), 0, 0, 0, 0, now.Location()) endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else if queryType == "current_month" { endTime = now beginTime = time.Date(endTime.Year(), endTime.Month(), 1, 0, 0, 0, 0, now.Location()) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else if queryType == "current_year" { endTime = now beginTime = time.Date(endTime.Year(), 1, 1, 0, 0, 0, 0, now.Location()) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } - } else if queryType == "last_month" { - lastMonthTime := now.AddDate(0, -1, 0) beginTime = time.Date(lastMonthTime.Year(), lastMonthTime.Month(), 1, 0, 0, 0, 0, now.Location()) endTime = time.Date(now.Year(), now.Month(), 1, 0, 0, 0, 0, now.Location()) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } - } } else { @@ -1607,105 +1629,81 @@ func GetCloudbrainResourceUsageDetail(ctx *context.Context) { if err != nil { log.Error("Can not get recordCloudbrain", err) ctx.Error(http.StatusBadRequest, ctx.Tr("repo.record_begintime_get_err")) - return + return beginTime, endTime } brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() beginTime = brainRecordBeginTime endTime = now - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } else { beginTime, err = time.ParseInLocation("2006-01-02", beginTimeStr, time.Local) if err != nil { log.Error("Can not ParseInLocation.", err) ctx.Error(http.StatusBadRequest, ctx.Tr("ParseInLocation_get_error")) - return + return beginTime, endTime } endTime, err = time.ParseInLocation("2006-01-02", endTimeStr, time.Local) if err != nil { log.Error("Can not ParseInLocation.", err) ctx.Error(http.StatusBadRequest, ctx.Tr("ParseInLocation_get_error")) - return + return beginTime, endTime } if endTime.After(time.Now()) { endTime = time.Now() } - endTimeTemp = beginTime.AddDate(0, 0, 1) - dayCloudbrainDuration, count, err = getDayCloudbrainDuration(beginTime, endTime) - if err != nil { - log.Error("Can not query dayCloudbrainDuration.", err) - ctx.Error(http.StatusBadRequest, ctx.Tr("getDayCloudbrainInfo_get_error")) - return - } } } - - page := ctx.QueryInt("page") - if page <= 0 { - page = 1 - } - pagesize := ctx.QueryInt("pagesize") - if pagesize <= 0 { - pagesize = 5 - } - pageDateCloudbrainDuration := getPageDateCloudbrainDuration(dayCloudbrainDuration, page, pagesize) - durationRateStatistic := getDurationStatistic(beginTime, endTime) - - ctx.JSON(http.StatusOK, map[string]interface{}{ - "totalCount": count, - "pageDateCloudbrainDuration": pageDateCloudbrainDuration, - "durationRateStatistic": durationRateStatistic, - "hourCloudbrainDuration": hourCloudbrainDuration, - }) - + return beginTime, endTime } -func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrainStatistics []*models.CloudbrainDurationStatistic) (map[string]int, map[string]int, map[string]float64) { - aiCenterTotalDuration := make(map[string]int) - aiCenterUsageDuration := make(map[string]int) - aiCenterUsageRate := make(map[string]float64) +func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrainStatistics []*models.CloudbrainDurationStatistic) (int, int, float64) { + totalDuration := int(0) + usageDuration := int(0) + usageRate := float64(0) + for _, cloudbrainStatistic := range cloudbrainStatistics { if int64(cloudbrainStatistic.CreatedUnix) >= beginTime.Unix() && int64(cloudbrainStatistic.CreatedUnix) < endTime.Unix() { if cloudbrainStatistic.TotalCanUse { - if _, ok := aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode]; !ok { - aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration - } else { - aiCenterTotalDuration[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration - } + totalDuration += cloudbrainStatistic.CardsTotalDuration } else { - if _, ok := aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode]; !ok { - aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration - } else { - aiCenterUsageDuration[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration - } - } - } - } - ResourceAiCenterRes, err := models.GetResourceAiCenters() - if err != nil { - log.Error("Can not get ResourceAiCenterRes.", err) - return nil, nil, nil - } - for _, v := range ResourceAiCenterRes { - if _, ok := aiCenterUsageDuration[v.AiCenterCode]; !ok { - aiCenterUsageDuration[v.AiCenterCode] = 0 + usageDuration += cloudbrainStatistic.CardsTotalDuration + } + // if cloudbrainStatistic.TotalCanUse { + // if _, ok := aiCenterTotalDuration[Date]; !ok { + // aiCenterTotalDuration[Date] = cloudbrainStatistic.CardsTotalDuration + // } else { + // aiCenterTotalDuration[Date] += cloudbrainStatistic.CardsTotalDuration + // } + // } else { + // if _, ok := aiCenterUsageDuration[Date]; !ok { + // aiCenterUsageDuration[Date] = cloudbrainStatistic.CardsTotalDuration + // } else { + // aiCenterUsageDuration[Date] += cloudbrainStatistic.CardsTotalDuration + // } + // } } } - - for k, v := range aiCenterTotalDuration { - for i, j := range aiCenterUsageDuration { - if k == i { - aiCenterUsageRate[k] = float64(j) / float64(v) - } - } - } - - return aiCenterUsageDuration, aiCenterTotalDuration, aiCenterUsageRate + // ResourceAiCenterRes, err := models.GetResourceAiCenters() + // if err != nil { + // log.Error("Can not get ResourceAiCenterRes.", err) + // return nil, nil, nil + // } + // for _, v := range ResourceAiCenterRes { + // if _, ok := aiCenterUsageDuration[v.AiCenterCode]; !ok { + // aiCenterUsageDuration[v.AiCenterCode] = 0 + // } + // } + + // for k, v := range aiCenterTotalDuration { + // for i, j := range aiCenterUsageDuration { + // if k == i { + // aiCenterUsageRate[k] = float64(j) / float64(v) + // } + // } + // } + // usageRate = float64(usageDuration) / float64(totalDuration) + + return totalDuration, usageDuration, usageRate } func getDurationStatistic(beginTime time.Time, endTime time.Time) models.DurationRateStatistic { @@ -1763,30 +1761,31 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) models.Duratio return durationRateStatistic } -func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models.DateCloudbrainStatistic, int, error) { +func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) ([]models.DateUsageStatistic, int, error) { now := time.Now() endTimeTemp := time.Date(endTime.Year(), endTime.Month(), endTime.Day(), 0, 0, 0, 0, now.Location()) if endTimeTemp.Equal(endTime) { endTimeTemp = endTimeTemp.AddDate(0, 0, -1) } cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ - BeginTime: beginTime, - EndTime: endTime, + BeginTime: beginTime, + EndTime: endTime, + AiCenterCode: aiCenterCode, }) if err != nil { log.Error("GetCardDurationStatistics error:", err) return nil, 0, err } - dayCloudbrainInfo := make([]models.DateCloudbrainStatistic, 0) + dayCloudbrainInfo := make([]models.DateUsageStatistic, 0) count := 0 for beginTime.Before(endTimeTemp) || beginTime.Equal(endTimeTemp) { - aiCenterUsageDuration, aiCenterTotalDuration, aiCenterUsageRate := getAiCenterUsageDuration(endTimeTemp, endTime, cardDurationStatistics) - dayCloudbrainInfo = append(dayCloudbrainInfo, models.DateCloudbrainStatistic{ - Date: endTimeTemp.Format("2006/01/02"), - AiCenterUsageDuration: aiCenterUsageDuration, - AiCenterTotalDuration: aiCenterTotalDuration, - AiCenterUsageRate: aiCenterUsageRate, + TotalDuration, UsageDuration, UsageRate := getAiCenterUsageDuration(endTimeTemp, endTime, cardDurationStatistics) + dayCloudbrainInfo = append(dayCloudbrainInfo, models.DateUsageStatistic{ + Date: endTimeTemp.Format("2006/01/02"), + UsageDuration: UsageDuration, + TotalDuration: TotalDuration, + UsageRate: UsageRate, }) endTime = endTimeTemp endTimeTemp = endTimeTemp.AddDate(0, 0, -1) @@ -1798,10 +1797,10 @@ func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time) ([]models. return dayCloudbrainInfo, count, nil } -func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) models.HourTimeStatistic { - hourTimeTotalDuration := make(map[int]int) - hourTimeUsageDuration := make(map[int]int) - hourTimeUsageRate := make(map[int]float64) +func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) (models.HourTimeStatistic, error) { + hourTimeTotalDuration := make(map[string]int) + hourTimeUsageDuration := make(map[string]int) + hourTimeUsageRate := make(map[string]float64) hourTimeStatistic := models.HourTimeStatistic{} cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ @@ -1810,44 +1809,49 @@ func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterC }) if err != nil { log.Error("GetCardDurationStatistics error:", err) - return hourTimeStatistic + return hourTimeStatistic, err } for _, cloudbrainStatistic := range cardDurationStatistics { if cloudbrainStatistic.AiCenterCode == aiCenterCode { if cloudbrainStatistic.TotalCanUse { - if _, ok := hourTimeTotalDuration[cloudbrainStatistic.HourTime]; !ok { - hourTimeTotalDuration[cloudbrainStatistic.HourTime] = cloudbrainStatistic.CardsTotalDuration + if _, ok := hourTimeTotalDuration[strconv.Itoa(cloudbrainStatistic.HourTime)]; !ok { + hourTimeTotalDuration[strconv.Itoa(cloudbrainStatistic.HourTime)] = cloudbrainStatistic.CardsTotalDuration } else { - hourTimeTotalDuration[cloudbrainStatistic.HourTime] += cloudbrainStatistic.CardsTotalDuration + hourTimeTotalDuration[strconv.Itoa(cloudbrainStatistic.HourTime)] += cloudbrainStatistic.CardsTotalDuration } } else { - if _, ok := hourTimeUsageDuration[cloudbrainStatistic.HourTime]; !ok { - hourTimeUsageDuration[cloudbrainStatistic.HourTime] = cloudbrainStatistic.CardsTotalDuration + if _, ok := hourTimeUsageDuration[strconv.Itoa(cloudbrainStatistic.HourTime)]; !ok { + hourTimeUsageDuration[strconv.Itoa(cloudbrainStatistic.HourTime)] = cloudbrainStatistic.CardsTotalDuration } else { - hourTimeUsageDuration[cloudbrainStatistic.HourTime] += cloudbrainStatistic.CardsTotalDuration - } - } - hourTimeList := []int{0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23} - for _, v := range hourTimeList { - if _, ok := hourTimeUsageDuration[v]; !ok { - hourTimeUsageDuration[v] = 0 - } - if _, ok := hourTimeTotalDuration[v]; !ok { - hourTimeTotalDuration[v] = 0 - } - } - - for k, v := range hourTimeTotalDuration { - for i, j := range hourTimeUsageDuration { - if k == i { - hourTimeUsageRate[k] = float64(j) / float64(v) - } + hourTimeUsageDuration[strconv.Itoa(cloudbrainStatistic.HourTime)] += cloudbrainStatistic.CardsTotalDuration } } } } + hourTimeList := []string{"0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12", "13", "14", "15", "16", "17", "18", "19", "20", "21", "22", "23"} + for _, v := range hourTimeList { + if _, ok := hourTimeUsageDuration[v]; !ok { + hourTimeUsageDuration[v] = 0 + } + if _, ok := hourTimeTotalDuration[v]; !ok { + hourTimeTotalDuration[v] = 0 + } + // if _, ok := hourTimeUsageRate[v]; !ok { + // hourTimeUsageRate[v] = 0 + // } + + } + + // for k, v := range hourTimeTotalDuration { + // for i, j := range hourTimeUsageDuration { + // if k == i { + // hourTimeUsageRate[k] = float64(j) / float64(v) + // } + // } + // } + hourTimeStatistic.HourTimeTotalDuration = hourTimeTotalDuration hourTimeStatistic.HourTimeUsageDuration = hourTimeUsageDuration hourTimeStatistic.HourTimeUsageRate = hourTimeUsageRate - return hourTimeStatistic + return hourTimeStatistic, nil } From ebc00c2bfaa7806a6e0b761606db369543e66fc5 Mon Sep 17 00:00:00 2001 From: liuzx Date: Wed, 19 Oct 2022 17:12:41 +0800 Subject: [PATCH 024/149] update --- models/cloudbrain_static.go | 1 + routers/api/v1/repo/cloudbrain_dashboard.go | 31 ++++++++++++++++++++--------- 2 files changed, 23 insertions(+), 9 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index ea93015b3..a693e0555 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -45,6 +45,7 @@ type CardTypeAndNum struct { } type ResourceOverview struct { Cluster string `json:"cluster"` + AiCenterName string `json:"aiCenterName"` AiCenterCode string `json:"aiCenterCode"` CardTypeAndNum []CardTypeAndNum `json:"cardTypeAndNum"` } diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 2e5e77078..517905c9b 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1426,11 +1426,11 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { log.Info("GetCanUseCardInfo err: %v", err) return } - // ResourceAiCenterRes, err := models.GetResourceAiCenters() - // if err != nil { - // log.Error("Can not get ResourceAiCenterRes.", err) - // return - // } + ResourceAiCenterRes, err := models.GetResourceAiCenters() + if err != nil { + log.Error("Can not get ResourceAiCenterRes.", err) + return + } resourceOverviews := []models.ResourceOverview{} resourceOpenIOne := models.ResourceOverview{} resourceOpenITwo := models.ResourceOverview{} @@ -1439,8 +1439,9 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { for _, resourceQueue := range resourceQueues { if resourceQueue.Cluster == models.OpenICluster { if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainOne { - resourceOpenIOne.Cluster = models.OpenICluster - resourceOpenIOne.AiCenterCode = models.AICenterOfCloudBrainOne + resourceOpenIOne.Cluster = resourceQueue.Cluster + resourceOpenIOne.AiCenterCode = resourceQueue.AiCenterCode + resourceOpenIOne.AiCenterName = resourceQueue.AiCenterName cardTypeNum := models.CardTypeAndNum{} cardTypeNum.CardType = resourceQueue.AccCardType cardTypeNum.Num = resourceQueue.CardsTotalNum @@ -1448,8 +1449,9 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { resourceOpenIOne.CardTypeAndNum = append(resourceOpenIOne.CardTypeAndNum, cardTypeNum) } if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainTwo { - resourceOpenITwo.Cluster = models.OpenICluster - resourceOpenITwo.AiCenterCode = models.AICenterOfCloudBrainTwo + resourceOpenITwo.Cluster = resourceQueue.Cluster + resourceOpenITwo.AiCenterCode = resourceQueue.AiCenterCode + resourceOpenITwo.AiCenterName = resourceQueue.AiCenterName cardTypeNum := models.CardTypeAndNum{} cardTypeNum.CardType = resourceQueue.AccCardType cardTypeNum.Num = resourceQueue.CardsTotalNum @@ -1470,6 +1472,17 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { resourceOverviews = append(resourceOverviews, resourceOpenIOne) resourceOverviews = append(resourceOverviews, resourceOpenITwo) // resourceOverviews = append(resourceOverviews, resourceChengdu) + for _, resourceAiCenterRes := range ResourceAiCenterRes { + if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainOne { + if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainTwo { + test := models.ResourceOverview{} + test.Cluster = models.C2NetCluster + test.AiCenterCode = resourceAiCenterRes.AiCenterCode + test.AiCenterName = resourceAiCenterRes.AiCenterName + resourceOverviews = append(resourceOverviews, test) + } + } + } ctx.JSON(http.StatusOK, map[string]interface{}{ "resourceOverviews": resourceOverviews, From 0a4875c4cb8e9727add429c5393d897a4b0c5d85 Mon Sep 17 00:00:00 2001 From: liuzx Date: Wed, 19 Oct 2022 17:58:35 +0800 Subject: [PATCH 025/149] update --- models/cloudbrain_static.go | 6 +- routers/api/v1/repo/cloudbrain_dashboard.go | 92 ++++++++++++++++++++--------- 2 files changed, 66 insertions(+), 32 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index a693e0555..84b659dd4 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -76,9 +76,9 @@ type DurationStatisticOptions struct { } type DurationRateStatistic struct { - AiCenterTotalDurationStat map[string]int `json:"aiCenterTotalDurationStat"` - AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` - TotalUsageRate float64 `json:"totalUsageRate"` + AiCenterTotalDurationStat map[string]int `json:"aiCenterTotalDurationStat"` + AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` + UsageRate map[string]float32 `json:"UsageRate"` } // type DateCloudbrainStatistic struct { diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 517905c9b..82bdb7be4 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1577,10 +1577,12 @@ func GetCloudbrainResourceUsageDetail(ctx *context.Context) { func GetDurationRateStatistic(ctx *context.Context) { beginTime, endTime := getBeginAndEndTime(ctx) - durationRateStatistic := getDurationStatistic(beginTime, endTime) + OpenIDurationRate, C2NetDurationRate, totalUsageRate := getDurationStatistic(beginTime, endTime) ctx.JSON(http.StatusOK, map[string]interface{}{ - "durationRateStatistic": durationRateStatistic, + "openIDurationRate": OpenIDurationRate, + "c2NetDurationRate": C2NetDurationRate, + "totalUsageRate": totalUsageRate, }) } @@ -1719,59 +1721,91 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain return totalDuration, usageDuration, usageRate } -func getDurationStatistic(beginTime time.Time, endTime time.Time) models.DurationRateStatistic { - aiCenterTotalDurationStat := make(map[string]int) - aiCenterUsageDurationStat := make(map[string]int) - durationRateStatistic := models.DurationRateStatistic{} +func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.DurationRateStatistic, models.DurationRateStatistic, float32) { + OpenITotalDuration := make(map[string]int) + OpenIUsageDuration := make(map[string]int) + OpenIUsageRate := make(map[string]float32) + C2NetTotalDuration := make(map[string]int) + C2NetUsageDuration := make(map[string]int) + OpenIDurationRate := models.DurationRateStatistic{} + C2NetDurationRate := models.DurationRateStatistic{} cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ BeginTime: beginTime, EndTime: endTime, }) if err != nil { log.Error("GetCardDurationStatistics error:", err) - return durationRateStatistic + return OpenIDurationRate, C2NetDurationRate, 0 } for _, cloudbrainStatistic := range cardDurationStatistics { - if cloudbrainStatistic.TotalCanUse { - if _, ok := aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode]; !ok { - aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + if cloudbrainStatistic.Cluster == models.OpenICluster { + if cloudbrainStatistic.TotalCanUse { + if _, ok := OpenITotalDuration[cloudbrainStatistic.AiCenterName]; !ok { + OpenITotalDuration[cloudbrainStatistic.AiCenterName] = cloudbrainStatistic.CardsTotalDuration + } else { + OpenITotalDuration[cloudbrainStatistic.AiCenterName] += cloudbrainStatistic.CardsTotalDuration + } } else { - aiCenterTotalDurationStat[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + if _, ok := OpenIUsageDuration[cloudbrainStatistic.AiCenterName]; !ok { + OpenIUsageDuration[cloudbrainStatistic.AiCenterName] = cloudbrainStatistic.CardsTotalDuration + } else { + OpenIUsageDuration[cloudbrainStatistic.AiCenterName] += cloudbrainStatistic.CardsTotalDuration + } } - } else { - if _, ok := aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode]; !ok { - aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode] = cloudbrainStatistic.CardsTotalDuration + } + if cloudbrainStatistic.Cluster == models.C2NetCluster { + if cloudbrainStatistic.TotalCanUse { + if _, ok := C2NetTotalDuration[cloudbrainStatistic.AiCenterName]; !ok { + C2NetTotalDuration[cloudbrainStatistic.AiCenterName] = cloudbrainStatistic.CardsTotalDuration + } else { + C2NetTotalDuration[cloudbrainStatistic.AiCenterName] += cloudbrainStatistic.CardsTotalDuration + } } else { - aiCenterUsageDurationStat[cloudbrainStatistic.AiCenterCode] += cloudbrainStatistic.CardsTotalDuration + if _, ok := C2NetUsageDuration[cloudbrainStatistic.AiCenterName]; !ok { + C2NetUsageDuration[cloudbrainStatistic.AiCenterName] = cloudbrainStatistic.CardsTotalDuration + } else { + C2NetUsageDuration[cloudbrainStatistic.AiCenterName] += cloudbrainStatistic.CardsTotalDuration + } } } } ResourceAiCenterRes, err := models.GetResourceAiCenters() if err != nil { log.Error("Can not get ResourceAiCenterRes.", err) - return durationRateStatistic + return OpenIDurationRate, C2NetDurationRate, 0 } for _, v := range ResourceAiCenterRes { - if _, ok := aiCenterUsageDurationStat[v.AiCenterCode]; !ok { - aiCenterUsageDurationStat[v.AiCenterCode] = 0 + if v.AiCenterCode != models.AICenterOfCloudBrainOne && v.AiCenterCode != models.AICenterOfCloudBrainTwo { + // if v.AiCenterCode != models.AICenterOfCloudBrainTwo { + if _, ok := C2NetUsageDuration[v.AiCenterName]; !ok { + C2NetUsageDuration[v.AiCenterName] = 0 + } + // } + } else { + if _, ok := OpenIUsageDuration[v.AiCenterName]; !ok { + OpenIUsageDuration[v.AiCenterName] = 0 + } } } - totalCanUse := float64(0) - totalUse := float64(0) - for k, v := range aiCenterTotalDurationStat { - for i, j := range aiCenterUsageDurationStat { + // totalCanUse := float64(0) + // totalUse := float64(0) + totalUsageRate := float32(0) + for k, v := range OpenITotalDuration { + for i, j := range OpenIUsageDuration { if k == i { - totalUse += float64(j) - totalCanUse += float64(v) + OpenIUsageRate[k] = float32(j) / float32(v) } } } - totalUsageRate := totalUse / totalCanUse + // totalUsageRate := totalUse / totalCanUse - durationRateStatistic.AiCenterTotalDurationStat = aiCenterTotalDurationStat - durationRateStatistic.AiCenterUsageDurationStat = aiCenterUsageDurationStat - durationRateStatistic.TotalUsageRate = totalUsageRate - return durationRateStatistic + OpenIDurationRate.AiCenterTotalDurationStat = OpenITotalDuration + OpenIDurationRate.AiCenterUsageDurationStat = OpenIUsageDuration + OpenIDurationRate.UsageRate = OpenIUsageRate + C2NetDurationRate.AiCenterTotalDurationStat = C2NetTotalDuration + C2NetDurationRate.AiCenterUsageDurationStat = C2NetUsageDuration + // C2NetDurationRate.TotalUsageRate = totalUsageRate + return OpenIDurationRate, C2NetDurationRate, totalUsageRate } func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) ([]models.DateUsageStatistic, int, error) { From e25291a069936602bece9f051f5c7f9cf5ce583e Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 20 Oct 2022 09:56:26 +0800 Subject: [PATCH 026/149] update --- models/cloudbrain_static.go | 33 +++++-- routers/api/v1/repo/cloudbrain_dashboard.go | 132 +++++++++++++++++----------- 2 files changed, 110 insertions(+), 55 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index 84b659dd4..3f2dcf94a 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -80,6 +80,17 @@ type DurationRateStatistic struct { AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` UsageRate map[string]float32 `json:"UsageRate"` } +type ResourceDetail struct { + QueueCode string + Cluster string `xorm:"notnull"` + AiCenterCode string + AiCenterName string + ComputeResource string + AccCardType string + CardsTotalNum int + IsAutomaticSync bool + // CardTypeAndNum []CardTypeAndNum `json:"cardTypeAndNum"` +} // type DateCloudbrainStatistic struct { // Date string `json:"date"` @@ -336,16 +347,26 @@ func DeleteCloudbrainDurationStatisticHour(date string, hour int, aiCenterCode s func GetCanUseCardInfo() ([]*ResourceQueue, error) { sess := x.NewSession() defer sess.Close() - var cond = builder.NewCond() - cond = cond.And( - builder.And(builder.Eq{"resource_queue.is_automatic_sync": false}), - ) + // var cond = builder.NewCond() + // cond = cond.And( + // builder.And(builder.Eq{"resource_queue.is_automatic_sync": false}), + // ) + sess.OrderBy("resource_queue.id ASC") ResourceQueues := make([]*ResourceQueue, 0, 10) - if err := sess.Table(&ResourceQueue{}).Where(cond). - Find(&ResourceQueues); err != nil { + if err := sess.Table(&ResourceQueue{}).Find(&ResourceQueues); err != nil { log.Info("find error.") } return ResourceQueues, nil + // Cols("queue_code", "cluster", "ai_center_name", "ai_center_code", "compute_resource", "acc_card_type", "cards_total_num") + // sess := x.NewSession() + // defer sess.Close() + // sess.OrderBy("resource_queue.id ASC limit 1") + // cloudbrains := make([]*CloudbrainInfo, 0) + // if err := sess.Table(&Cloudbrain{}).Unscoped(). + // Find(&cloudbrains); err != nil { + // log.Info("find error.") + // } + // return cloudbrains, nil } func GetCardDurationStatistics(opts *DurationStatisticOptions) ([]*CloudbrainDurationStatistic, error) { diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 82bdb7be4..fe3e015ac 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1426,68 +1426,102 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { log.Info("GetCanUseCardInfo err: %v", err) return } - ResourceAiCenterRes, err := models.GetResourceAiCenters() - if err != nil { - log.Error("Can not get ResourceAiCenterRes.", err) - return - } - resourceOverviews := []models.ResourceOverview{} - resourceOpenIOne := models.ResourceOverview{} - resourceOpenITwo := models.ResourceOverview{} - // resourceChengdu := models.ResourceOverview{} - + log.Info("resourceQueues:", resourceQueues) + OpenIResourceDetail := []models.ResourceDetail{} + C2NetResourceDetail := []models.ResourceDetail{} for _, resourceQueue := range resourceQueues { if resourceQueue.Cluster == models.OpenICluster { - if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainOne { - resourceOpenIOne.Cluster = resourceQueue.Cluster - resourceOpenIOne.AiCenterCode = resourceQueue.AiCenterCode - resourceOpenIOne.AiCenterName = resourceQueue.AiCenterName - cardTypeNum := models.CardTypeAndNum{} - cardTypeNum.CardType = resourceQueue.AccCardType - cardTypeNum.Num = resourceQueue.CardsTotalNum - cardTypeNum.ComputeResource = resourceQueue.ComputeResource - resourceOpenIOne.CardTypeAndNum = append(resourceOpenIOne.CardTypeAndNum, cardTypeNum) - } - if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainTwo { - resourceOpenITwo.Cluster = resourceQueue.Cluster - resourceOpenITwo.AiCenterCode = resourceQueue.AiCenterCode - resourceOpenITwo.AiCenterName = resourceQueue.AiCenterName - cardTypeNum := models.CardTypeAndNum{} - cardTypeNum.CardType = resourceQueue.AccCardType - cardTypeNum.Num = resourceQueue.CardsTotalNum - cardTypeNum.ComputeResource = resourceQueue.ComputeResource - resourceOpenITwo.CardTypeAndNum = append(resourceOpenITwo.CardTypeAndNum, cardTypeNum) - } - // if resourceQueue.AiCenterCode == models.AICenterOfChengdu { - // resourceChengdu.Cluster = models.OpenICluster - // resourceChengdu.AiCenterCode = models.AICenterOfChengdu + // var resourceDetail models.ResourceDetail + // if _, ok := resourceDetail[resourceQueue.AiCenterCode]; !ok { + // resourceDetail.AiCenterCode = resourceQueue.AiCenterCode + // } else { // cardTypeNum := models.CardTypeAndNum{} // cardTypeNum.CardType = resourceQueue.AccCardType // cardTypeNum.Num = resourceQueue.CardsTotalNum // cardTypeNum.ComputeResource = resourceQueue.ComputeResource - // resourceChengdu.CardTypeAndNum = append(resourceChengdu.CardTypeAndNum, cardTypeNum) // } + + var resourceDetail models.ResourceDetail + resourceDetail.QueueCode = resourceQueue.QueueCode + resourceDetail.Cluster = resourceQueue.Cluster + resourceDetail.AiCenterCode = resourceQueue.AiCenterCode + resourceDetail.AiCenterName = resourceQueue.AiCenterName + resourceDetail.ComputeResource = resourceQueue.ComputeResource + resourceDetail.AccCardType = resourceQueue.AccCardType + resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum + resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync + OpenIResourceDetail = append(OpenIResourceDetail, resourceDetail) + // } else { + } - } - resourceOverviews = append(resourceOverviews, resourceOpenIOne) - resourceOverviews = append(resourceOverviews, resourceOpenITwo) - // resourceOverviews = append(resourceOverviews, resourceChengdu) - for _, resourceAiCenterRes := range ResourceAiCenterRes { - if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainOne { - if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainTwo { - test := models.ResourceOverview{} - test.Cluster = models.C2NetCluster - test.AiCenterCode = resourceAiCenterRes.AiCenterCode - test.AiCenterName = resourceAiCenterRes.AiCenterName - resourceOverviews = append(resourceOverviews, test) - } + if resourceQueue.Cluster == models.C2NetCluster { + var resourceDetail models.ResourceDetail + resourceDetail.QueueCode = resourceQueue.QueueCode + resourceDetail.Cluster = resourceQueue.Cluster + resourceDetail.AiCenterCode = resourceQueue.AiCenterCode + resourceDetail.AiCenterName = resourceQueue.AiCenterName + resourceDetail.ComputeResource = resourceQueue.ComputeResource + resourceDetail.AccCardType = resourceQueue.AccCardType + resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum + resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync + C2NetResourceDetail = append(C2NetResourceDetail, resourceDetail) } + + // ResourceAiCenterRes, err := models.GetResourceAiCenters() + // if err != nil { + // log.Error("Can not get ResourceAiCenterRes.", err) + // return + // } + // resourceOverviews := []models.ResourceOverview{} + // resourceOpenIOne := models.ResourceOverview{} + // resourceOpenITwo := models.ResourceOverview{} + // // resourceChengdu := models.ResourceOverview{} + + // for _, resourceQueue := range resourceQueues { + // if resourceQueue.Cluster == models.OpenICluster { + // if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainOne { + // resourceOpenIOne.Cluster = resourceQueue.Cluster + // resourceOpenIOne.AiCenterCode = resourceQueue.AiCenterCode + // resourceOpenIOne.AiCenterName = resourceQueue.AiCenterName + // cardTypeNum := models.CardTypeAndNum{} + // cardTypeNum.CardType = resourceQueue.AccCardType + // cardTypeNum.Num = resourceQueue.CardsTotalNum + // cardTypeNum.ComputeResource = resourceQueue.ComputeResource + // resourceOpenIOne.CardTypeAndNum = append(resourceOpenIOne.CardTypeAndNum, cardTypeNum) + // } + // if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainTwo { + // resourceOpenITwo.Cluster = resourceQueue.Cluster + // resourceOpenITwo.AiCenterCode = resourceQueue.AiCenterCode + // resourceOpenITwo.AiCenterName = resourceQueue.AiCenterName + // cardTypeNum := models.CardTypeAndNum{} + // cardTypeNum.CardType = resourceQueue.AccCardType + // cardTypeNum.Num = resourceQueue.CardsTotalNum + // cardTypeNum.ComputeResource = resourceQueue.ComputeResource + // resourceOpenITwo.CardTypeAndNum = append(resourceOpenITwo.CardTypeAndNum, cardTypeNum) + // } + // } + // } + // resourceOverviews = append(resourceOverviews, resourceOpenIOne) + // resourceOverviews = append(resourceOverviews, resourceOpenITwo) + // // resourceOverviews = append(resourceOverviews, resourceChengdu) + // for _, resourceAiCenterRes := range ResourceAiCenterRes { + // if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainOne { + // if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainTwo { + // test := models.ResourceOverview{} + // test.Cluster = models.C2NetCluster + // test.AiCenterCode = resourceAiCenterRes.AiCenterCode + // test.AiCenterName = resourceAiCenterRes.AiCenterName + // resourceOverviews = append(resourceOverviews, test) + // } + // } } ctx.JSON(http.StatusOK, map[string]interface{}{ - "resourceOverviews": resourceOverviews, + // "resourceOverviews": resourceOverviews, + "OpenIResourceDetail": OpenIResourceDetail, + "C2NetResourceDetail": C2NetResourceDetail, + // "resourceQueues": resourceQueues, }) - } func GetCloudbrainResourceUsage(ctx *context.Context) { From c1a63edd2cfd3516ca8a4e9d89472fac076a4a3f Mon Sep 17 00:00:00 2001 From: Gitea Date: Thu, 20 Oct 2022 10:37:13 +0800 Subject: [PATCH 027/149] add --- modules/setting/setting.go | 8 ++++++++ routers/repo/ai_model_convert.go | 18 +++++++++++++++++- templates/repo/modelmanage/convertIndex.tmpl | 6 ++++-- 3 files changed, 29 insertions(+), 3 deletions(-) diff --git a/modules/setting/setting.go b/modules/setting/setting.go index c6afae05a..89a0fd2d6 100755 --- a/modules/setting/setting.go +++ b/modules/setting/setting.go @@ -694,8 +694,12 @@ var ( GPU_PYTORCH_IMAGE string GpuQueue string GPU_TENSORFLOW_IMAGE string + GPU_PADDLE_IMAGE string + GPU_MXNET_IMAGE string NPU_MINDSPORE_16_IMAGE string PytorchOnnxBootFile string + PaddleOnnxBootFile string + MXnetOnnxBootFile string PytorchTrTBootFile string MindsporeBootFile string TensorFlowNpuBootFile string @@ -1576,6 +1580,10 @@ func getModelConvertConfig() { ModelConvert.NPU_PoolID = sec.Key("NPU_PoolID").MustString("pool7908321a") ModelConvert.NPU_MINDSPORE_IMAGE_ID = sec.Key("NPU_MINDSPORE_IMAGE_ID").MustInt(121) ModelConvert.NPU_TENSORFLOW_IMAGE_ID = sec.Key("NPU_TENSORFLOW_IMAGE_ID").MustInt(35) + ModelConvert.GPU_PADDLE_IMAGE = sec.Key("GPU_PADDLE_IMAGE").MustString("dockerhub.pcl.ac.cn:5000/user-images/openi:paddle2.3.0_gpu_cuda11.2_cudnn8") + ModelConvert.GPU_MXNET_IMAGE = sec.Key("GPU_MXNET_IMAGE").MustString("dockerhub.pcl.ac.cn:5000/user-images/openi:mxnet191cu_cuda102_py37") + ModelConvert.PaddleOnnxBootFile = sec.Key("PaddleOnnxBootFile").MustString("convert_paddle.py") + ModelConvert.MXnetOnnxBootFile = sec.Key("MXnetOnnxBootFile").MustString("convert_mxnet.py") } func getModelAppConfig() { diff --git a/routers/repo/ai_model_convert.go b/routers/repo/ai_model_convert.go index 9a5874956..bd6a01072 100644 --- a/routers/repo/ai_model_convert.go +++ b/routers/repo/ai_model_convert.go @@ -29,7 +29,9 @@ const ( tplModelConvertInfo = "repo/modelmanage/convertshowinfo" PYTORCH_ENGINE = 0 TENSORFLOW_ENGINE = 1 - MINDSPORE_ENGIN = 2 + MINDSPORE_ENGINE = 2 + PADDLE_ENGINE = 4 + MXNET_ENGINE = 6 ModelMountPath = "/model" CodeMountPath = "/code" DataSetMountPath = "/dataset" @@ -395,6 +397,20 @@ func createGpuTrainJob(modelConvert *models.AiModelConvert, ctx *context.Context deleteLocalDir(relatetiveModelPath) dataActualPath = setting.Attachment.Minio.RealPath + setting.Attachment.Minio.Bucket + "/" + setting.CBCodePathPrefix + modelConvert.ID + "/dataset" } + } else if modelConvert.SrcEngine == PADDLE_ENGINE { + IMAGE_URL = setting.ModelConvert.GPU_PADDLE_IMAGE + if modelConvert.DestFormat == CONVERT_FORMAT_ONNX { + command = getGpuModelConvertCommand(modelConvert.ID, modelConvert.ModelPath, modelConvert, setting.ModelConvert.PaddleOnnxBootFile) + } else { + return errors.New("Not support the format.") + } + } else if modelConvert.SrcEngine == MXNET_ENGINE { + IMAGE_URL = setting.ModelConvert.GPU_MXNET_IMAGE + if modelConvert.DestFormat == CONVERT_FORMAT_ONNX { + command = getGpuModelConvertCommand(modelConvert.ID, modelConvert.ModelPath, modelConvert, setting.ModelConvert.MXnetOnnxBootFile) + } else { + return errors.New("Not support the format.") + } } log.Info("dataActualPath=" + dataActualPath) diff --git a/templates/repo/modelmanage/convertIndex.tmpl b/templates/repo/modelmanage/convertIndex.tmpl index 92eefca2e..26e79b04c 100644 --- a/templates/repo/modelmanage/convertIndex.tmpl +++ b/templates/repo/modelmanage/convertIndex.tmpl @@ -103,7 +103,7 @@
- {{if eq .SrcEngine 0}}PyTorch {{else if eq .SrcEngine 1}}TensorFlow{{else if eq .SrcEngine 2}}MindSpore {{end}} + {{if eq .SrcEngine 0}}PyTorch {{else if eq .SrcEngine 1}}TensorFlow {{else if eq .SrcEngine 2}}MindSpore {{else if eq .SrcEngine 4}}PaddlePaddle {{else if eq .SrcEngine 6}}MXNet {{end}}
{{if eq .DestFormat 0}}ONNX {{else if eq .DestFormat 1}}TensorRT {{end}} @@ -532,7 +532,7 @@ } } function isModel(filename){ - var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb"]; + var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb",".pdmodel","pdparams",".params",".json"]; for(var i =0; iPyTorch"; html +=""; html +=""; + html +=""; + html +=""; $('#SrcEngine').html(html); srcEngineChanged(); } From 5f471bf4d8e531e8006b9e69ff9c1988d45d8a6d Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 20 Oct 2022 12:02:38 +0800 Subject: [PATCH 028/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 49 ++++++++++++++++++++++++++++- 1 file changed, 48 insertions(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index fe3e015ac..7acb82ade 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1431,6 +1431,10 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { C2NetResourceDetail := []models.ResourceDetail{} for _, resourceQueue := range resourceQueues { if resourceQueue.Cluster == models.OpenICluster { + // for _, openIResourceDetail := range OpenIResourceDetail { + // aiCenterCode := reflect.ValueOf(&openIResourceDetail.AiCenterCode).Elem() + // } + // var resourceDetail models.ResourceDetail // if _, ok := resourceDetail[resourceQueue.AiCenterCode]; !ok { // resourceDetail.AiCenterCode = resourceQueue.AiCenterCode @@ -1466,6 +1470,17 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync C2NetResourceDetail = append(C2NetResourceDetail, resourceDetail) } + // for _, resourceDetail := range OpenIResourceDetail { + // for _, resourceDetails := range OpenIResourceDetail { + // if resourceDetail.AiCenterCode == resourceDetails.AiCenterCode { + // cardTypeNum := models.CardTypeAndNum{} + // cardTypeNum.CardType = resourceDetails.AccCardType + // cardTypeNum.Num = resourceDetails.CardsTotalNum + // cardTypeNum.ComputeResource = resourceDetails.ComputeResource + // resourceDetail.CardTypeAndNum = append(resourceDetail.CardTypeAndNum, cardTypeNum) + // } + // } + // } // ResourceAiCenterRes, err := models.GetResourceAiCenters() // if err != nil { @@ -1515,12 +1530,44 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { // } // } } + // aiCenterNum := make(map[string]map[string]int) + // // cardTypeNum := make(map[string]int) + // for _, openIResourceDetail := range OpenIResourceDetail { + // if _, ok := aiCenterNum[openIResourceDetail.AiCenterCode]; !ok { + // aiCenterNum[openIResourceDetail.AiCenterCode][openIResourceDetail.AccCardType] = openIResourceDetail.CardsTotalNum + // } else { + // aiCenterNum[openIResourceDetail.AiCenterCode][openIResourceDetail.AccCardType] += openIResourceDetail.CardsTotalNum + // } + // } + AiCenterCodeList := make(map[string]string) + CardTypeList := make(map[string]string) + AiCenterCardTypeNum := make(map[string]map[string]int) + for _, openIResourceDetail := range OpenIResourceDetail { + if _, ok := AiCenterCodeList[openIResourceDetail.AiCenterCode]; !ok { + AiCenterCodeList[openIResourceDetail.AiCenterCode] = openIResourceDetail.AiCenterCode + } + for k, _ := range AiCenterCodeList { + if AiCenterCardTypeNum[AiCenterCodeList[k]] == nil { + AiCenterCardTypeNum[AiCenterCodeList[k]] = make(map[string]int) + } + if openIResourceDetail.AiCenterCode == AiCenterCodeList[k] { + if _, ok := CardTypeList[openIResourceDetail.AccCardType]; !ok { + CardTypeList[openIResourceDetail.AccCardType] = openIResourceDetail.AccCardType + } + for i, _ := range CardTypeList { + if openIResourceDetail.AccCardType == CardTypeList[i] { + AiCenterCardTypeNum[AiCenterCodeList[k]][CardTypeList[i]] += openIResourceDetail.CardsTotalNum + } + } + } + } + } ctx.JSON(http.StatusOK, map[string]interface{}{ // "resourceOverviews": resourceOverviews, "OpenIResourceDetail": OpenIResourceDetail, "C2NetResourceDetail": C2NetResourceDetail, - // "resourceQueues": resourceQueues, + "AiCenterCardTypeNum": AiCenterCardTypeNum, }) } From 66a28d19117775e3636d367847b813146922ad43 Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 20 Oct 2022 16:25:14 +0800 Subject: [PATCH 029/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 137 ++++++++-------------------- 1 file changed, 40 insertions(+), 97 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 7acb82ade..ca414f805 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1431,27 +1431,13 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { C2NetResourceDetail := []models.ResourceDetail{} for _, resourceQueue := range resourceQueues { if resourceQueue.Cluster == models.OpenICluster { - // for _, openIResourceDetail := range OpenIResourceDetail { - // aiCenterCode := reflect.ValueOf(&openIResourceDetail.AiCenterCode).Elem() - // } - - // var resourceDetail models.ResourceDetail - // if _, ok := resourceDetail[resourceQueue.AiCenterCode]; !ok { - // resourceDetail.AiCenterCode = resourceQueue.AiCenterCode - // } else { - // cardTypeNum := models.CardTypeAndNum{} - // cardTypeNum.CardType = resourceQueue.AccCardType - // cardTypeNum.Num = resourceQueue.CardsTotalNum - // cardTypeNum.ComputeResource = resourceQueue.ComputeResource - // } - var resourceDetail models.ResourceDetail resourceDetail.QueueCode = resourceQueue.QueueCode resourceDetail.Cluster = resourceQueue.Cluster resourceDetail.AiCenterCode = resourceQueue.AiCenterCode resourceDetail.AiCenterName = resourceQueue.AiCenterName resourceDetail.ComputeResource = resourceQueue.ComputeResource - resourceDetail.AccCardType = resourceQueue.AccCardType + resourceDetail.AccCardType = resourceQueue.AccCardType + "(" + resourceQueue.ComputeResource + ")" resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync OpenIResourceDetail = append(OpenIResourceDetail, resourceDetail) @@ -1465,98 +1451,54 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { resourceDetail.AiCenterCode = resourceQueue.AiCenterCode resourceDetail.AiCenterName = resourceQueue.AiCenterName resourceDetail.ComputeResource = resourceQueue.ComputeResource - resourceDetail.AccCardType = resourceQueue.AccCardType + resourceDetail.AccCardType = resourceQueue.AccCardType + "(" + resourceQueue.ComputeResource + ")" resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync C2NetResourceDetail = append(C2NetResourceDetail, resourceDetail) } - // for _, resourceDetail := range OpenIResourceDetail { - // for _, resourceDetails := range OpenIResourceDetail { - // if resourceDetail.AiCenterCode == resourceDetails.AiCenterCode { - // cardTypeNum := models.CardTypeAndNum{} - // cardTypeNum.CardType = resourceDetails.AccCardType - // cardTypeNum.Num = resourceDetails.CardsTotalNum - // cardTypeNum.ComputeResource = resourceDetails.ComputeResource - // resourceDetail.CardTypeAndNum = append(resourceDetail.CardTypeAndNum, cardTypeNum) - // } - // } - // } - - // ResourceAiCenterRes, err := models.GetResourceAiCenters() - // if err != nil { - // log.Error("Can not get ResourceAiCenterRes.", err) - // return - // } - // resourceOverviews := []models.ResourceOverview{} - // resourceOpenIOne := models.ResourceOverview{} - // resourceOpenITwo := models.ResourceOverview{} - // // resourceChengdu := models.ResourceOverview{} - - // for _, resourceQueue := range resourceQueues { - // if resourceQueue.Cluster == models.OpenICluster { - // if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainOne { - // resourceOpenIOne.Cluster = resourceQueue.Cluster - // resourceOpenIOne.AiCenterCode = resourceQueue.AiCenterCode - // resourceOpenIOne.AiCenterName = resourceQueue.AiCenterName - // cardTypeNum := models.CardTypeAndNum{} - // cardTypeNum.CardType = resourceQueue.AccCardType - // cardTypeNum.Num = resourceQueue.CardsTotalNum - // cardTypeNum.ComputeResource = resourceQueue.ComputeResource - // resourceOpenIOne.CardTypeAndNum = append(resourceOpenIOne.CardTypeAndNum, cardTypeNum) - // } - // if resourceQueue.AiCenterCode == models.AICenterOfCloudBrainTwo { - // resourceOpenITwo.Cluster = resourceQueue.Cluster - // resourceOpenITwo.AiCenterCode = resourceQueue.AiCenterCode - // resourceOpenITwo.AiCenterName = resourceQueue.AiCenterName - // cardTypeNum := models.CardTypeAndNum{} - // cardTypeNum.CardType = resourceQueue.AccCardType - // cardTypeNum.Num = resourceQueue.CardsTotalNum - // cardTypeNum.ComputeResource = resourceQueue.ComputeResource - // resourceOpenITwo.CardTypeAndNum = append(resourceOpenITwo.CardTypeAndNum, cardTypeNum) - // } - // } - // } - // resourceOverviews = append(resourceOverviews, resourceOpenIOne) - // resourceOverviews = append(resourceOverviews, resourceOpenITwo) - // // resourceOverviews = append(resourceOverviews, resourceChengdu) - // for _, resourceAiCenterRes := range ResourceAiCenterRes { - // if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainOne { - // if resourceAiCenterRes.AiCenterCode != models.AICenterOfCloudBrainTwo { - // test := models.ResourceOverview{} - // test.Cluster = models.C2NetCluster - // test.AiCenterCode = resourceAiCenterRes.AiCenterCode - // test.AiCenterName = resourceAiCenterRes.AiCenterName - // resourceOverviews = append(resourceOverviews, test) - // } - // } - } - // aiCenterNum := make(map[string]map[string]int) - // // cardTypeNum := make(map[string]int) - // for _, openIResourceDetail := range OpenIResourceDetail { - // if _, ok := aiCenterNum[openIResourceDetail.AiCenterCode]; !ok { - // aiCenterNum[openIResourceDetail.AiCenterCode][openIResourceDetail.AccCardType] = openIResourceDetail.CardsTotalNum - // } else { - // aiCenterNum[openIResourceDetail.AiCenterCode][openIResourceDetail.AccCardType] += openIResourceDetail.CardsTotalNum - // } - // } - AiCenterCodeList := make(map[string]string) + } + AiCenterNameList := make(map[string]string) CardTypeList := make(map[string]string) - AiCenterCardTypeNum := make(map[string]map[string]int) + openIResourceNum := make(map[string]map[string]int) for _, openIResourceDetail := range OpenIResourceDetail { - if _, ok := AiCenterCodeList[openIResourceDetail.AiCenterCode]; !ok { - AiCenterCodeList[openIResourceDetail.AiCenterCode] = openIResourceDetail.AiCenterCode + if _, ok := AiCenterNameList[openIResourceDetail.AiCenterName]; !ok { + AiCenterNameList[openIResourceDetail.AiCenterName] = openIResourceDetail.AiCenterName } - for k, _ := range AiCenterCodeList { - if AiCenterCardTypeNum[AiCenterCodeList[k]] == nil { - AiCenterCardTypeNum[AiCenterCodeList[k]] = make(map[string]int) + for k, _ := range AiCenterNameList { + if openIResourceNum[AiCenterNameList[k]] == nil { + openIResourceNum[AiCenterNameList[k]] = make(map[string]int) } - if openIResourceDetail.AiCenterCode == AiCenterCodeList[k] { + if openIResourceDetail.AiCenterName == AiCenterNameList[k] { if _, ok := CardTypeList[openIResourceDetail.AccCardType]; !ok { CardTypeList[openIResourceDetail.AccCardType] = openIResourceDetail.AccCardType } for i, _ := range CardTypeList { if openIResourceDetail.AccCardType == CardTypeList[i] { - AiCenterCardTypeNum[AiCenterCodeList[k]][CardTypeList[i]] += openIResourceDetail.CardsTotalNum + openIResourceNum[AiCenterNameList[k]][CardTypeList[i]] += openIResourceDetail.CardsTotalNum + } + } + } + } + } + + c2NetAiCenterNameList := make(map[string]string) + c2NetCardTypeList := make(map[string]string) + c2NetResourceNum := make(map[string]map[string]int) + for _, c2NetResourceDetail := range C2NetResourceDetail { + if _, ok := c2NetAiCenterNameList[c2NetResourceDetail.AiCenterName]; !ok { + c2NetAiCenterNameList[c2NetResourceDetail.AiCenterName] = c2NetResourceDetail.AiCenterName + } + for k, _ := range c2NetAiCenterNameList { + if c2NetResourceNum[c2NetAiCenterNameList[k]] == nil { + c2NetResourceNum[c2NetAiCenterNameList[k]] = make(map[string]int) + } + if c2NetResourceDetail.AiCenterName == c2NetAiCenterNameList[k] { + if _, ok := c2NetCardTypeList[c2NetResourceDetail.AccCardType]; !ok { + c2NetCardTypeList[c2NetResourceDetail.AccCardType] = c2NetResourceDetail.AccCardType + } + for i, _ := range c2NetCardTypeList { + if c2NetResourceDetail.AccCardType == c2NetCardTypeList[i] { + c2NetResourceNum[c2NetAiCenterNameList[k]][c2NetCardTypeList[i]] += c2NetResourceDetail.CardsTotalNum } } } @@ -1565,9 +1507,10 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { ctx.JSON(http.StatusOK, map[string]interface{}{ // "resourceOverviews": resourceOverviews, - "OpenIResourceDetail": OpenIResourceDetail, - "C2NetResourceDetail": C2NetResourceDetail, - "AiCenterCardTypeNum": AiCenterCardTypeNum, + // "OpenIResourceDetail": OpenIResourceDetail, + // "C2NetResourceDetail": C2NetResourceDetail, + "openI": openIResourceNum, + "c2Net": c2NetResourceNum, }) } From d8f40329c650e53539bc1d1d925c0fe869af5aa3 Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 20 Oct 2022 16:30:35 +0800 Subject: [PATCH 030/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index ca414f805..de6ae9eca 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1421,6 +1421,12 @@ func getCloudbrainTimePeroid(ctx *context.Context, recordBeginTime time.Time) (t } func GetCloudbrainResourceOverview(ctx *context.Context) { + recordCloudbrainDuration, err := models.GetDurationRecordBeginTime() + if err != nil { + log.Error("Can not get GetDurationRecordBeginTime", err) + return + } + brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() resourceQueues, err := models.GetCanUseCardInfo() if err != nil { log.Info("GetCanUseCardInfo err: %v", err) @@ -1509,8 +1515,9 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { // "resourceOverviews": resourceOverviews, // "OpenIResourceDetail": OpenIResourceDetail, // "C2NetResourceDetail": C2NetResourceDetail, - "openI": openIResourceNum, - "c2Net": c2NetResourceNum, + "openI": openIResourceNum, + "c2Net": c2NetResourceNum, + "brainRecordBeginTime": brainRecordBeginTime, }) } From 4eeead973bbd379d6c8a751ca5402501a3e1b7fe Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 20 Oct 2022 16:50:19 +0800 Subject: [PATCH 031/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index de6ae9eca..3ce46c60a 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1426,7 +1426,8 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { log.Error("Can not get GetDurationRecordBeginTime", err) return } - brainRecordBeginTime := recordCloudbrainDuration[0].CreatedUnix.AsTime() + recordBeginTime := recordCloudbrainDuration[0].CreatedUnix + recordUpdateTime := time.Now().Unix() resourceQueues, err := models.GetCanUseCardInfo() if err != nil { log.Info("GetCanUseCardInfo err: %v", err) @@ -1512,12 +1513,10 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { } ctx.JSON(http.StatusOK, map[string]interface{}{ - // "resourceOverviews": resourceOverviews, - // "OpenIResourceDetail": OpenIResourceDetail, - // "C2NetResourceDetail": C2NetResourceDetail, - "openI": openIResourceNum, - "c2Net": c2NetResourceNum, - "brainRecordBeginTime": brainRecordBeginTime, + "openI": openIResourceNum, + "c2Net": c2NetResourceNum, + "recordUpdateTime": recordUpdateTime, + "recordBeginTime": recordBeginTime, }) } From afa57f72735ffea90387a6d0e5306e2f8328a359 Mon Sep 17 00:00:00 2001 From: lewis <747342561@qq.com> Date: Thu, 20 Oct 2022 19:53:07 +0800 Subject: [PATCH 032/149] add obs_url --- routers/repo/grampus.go | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index b78bdebd3..c3258adc7 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -423,7 +423,7 @@ func grampusTrainJobGpuCreate(ctx *context.Context, form auth.CreateGrampusTrain //prepare command preTrainModelPath := getPreTrainModelPath(form.PreTrainModelUrl, form.CkptName) - command, err := generateCommand(repo.Name, grampus.ProcessorTypeGPU, codeMinioPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CBCodePathPrefix+jobName+cloudbrain.ModelMountPath+"/", allFileName, preTrainModelPath, form.CkptName) + command, err := generateCommand(repo.Name, grampus.ProcessorTypeGPU, codeMinioPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CBCodePathPrefix+jobName+cloudbrain.ModelMountPath+"/", allFileName, preTrainModelPath, form.CkptName, "") if err != nil { log.Error("Failed to generateCommand: %s (%v)", displayJobName, err, ctx.Data["MsgID"]) grampusTrainJobNewDataPrepare(ctx, grampus.ProcessorTypeGPU) @@ -680,7 +680,8 @@ func grampusTrainJobNpuCreate(ctx *context.Context, form auth.CreateGrampusTrain //prepare command preTrainModelPath := getPreTrainModelPath(form.PreTrainModelUrl, form.CkptName) - command, err := generateCommand(repo.Name, grampus.ProcessorTypeNPU, codeObsPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CodePathPrefix+jobName+modelarts.OutputPath, allFileName, preTrainModelPath, form.CkptName) + modelRemoteObsUrl := "s3:///grampus/jobs/" + jobName + "/output/models.zip" + command, err := generateCommand(repo.Name, grampus.ProcessorTypeNPU, codeObsPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CodePathPrefix+jobName+modelarts.OutputPath, allFileName, preTrainModelPath, form.CkptName, modelRemoteObsUrl) if err != nil { log.Error("Failed to generateCommand: %s (%v)", displayJobName, err, ctx.Data["MsgID"]) grampusTrainJobNewDataPrepare(ctx, grampus.ProcessorTypeNPU) @@ -967,7 +968,7 @@ func GrampusGetLog(ctx *context.Context) { return } -func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bootFile, paramSrc, outputRemotePath, datasetName, pretrainModelPath, pretrainModelFileName string) (string, error) { +func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bootFile, paramSrc, outputRemotePath, datasetName, pretrainModelPath, pretrainModelFileName, modelRemoteObsUrl string) (string, error) { var command string workDir := grampus.NpuWorkDir @@ -1024,6 +1025,7 @@ func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bo var commandCode string if processorType == grampus.ProcessorTypeNPU { + paramCode += " --obs_url=" + modelRemoteObsUrl commandCode = "/bin/bash /home/work/run_train_for_openi.sh /home/work/openi.py /tmp/log/train.log" + paramCode + ";" } else if processorType == grampus.ProcessorTypeGPU { if pretrainModelFileName != "" { From 4206670658a168bfdc2a32e49f5494af9a3de1ca Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 21 Oct 2022 10:04:12 +0800 Subject: [PATCH 033/149] update --- routers/api/v1/api.go | 1 - routers/api/v1/repo/cloudbrain_dashboard.go | 131 ++++++++-------------------- 2 files changed, 35 insertions(+), 97 deletions(-) diff --git a/routers/api/v1/api.go b/routers/api/v1/api.go index 2964e87ce..b719db71e 100755 --- a/routers/api/v1/api.go +++ b/routers/api/v1/api.go @@ -602,7 +602,6 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/overview_resource", repo.GetCloudbrainResourceOverview) m.Get("/resource_usage_statistic", repo.GetDurationRateStatistic) - m.Get("/resource_usage_rate", repo.GetCloudbrainResourceUsage) m.Get("/resource_usage_rate_detail", repo.GetCloudbrainResourceUsageDetail) }) }, operationReq) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 3ce46c60a..6824858fb 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1520,63 +1520,10 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { }) } -func GetCloudbrainResourceUsage(ctx *context.Context) { - recordBeginTime := time.Now().AddDate(0, 0, -6) - beginTime, endTime, err := getCloudbrainTimePeroid(ctx, recordBeginTime) - if err != nil { - log.Error("getCloudbrainTimePeroid error:", err) - return - } - cardUsageRes := make(map[string]int) - cardCanUsageRes := make(map[string]int) - cardUtilizationRate := make(map[string]int) - // cardDurationStatistics, err := models.GetCardDurationStatistics(beginTime, endTime) - cardDurationStatistics, err := models.GetCardDurationStatistics(&models.DurationStatisticOptions{ - BeginTime: beginTime, - EndTime: endTime, - }) - if err != nil { - log.Error("GetCardDurationStatistics error:", err) - return - } - - for _, cloudbrainStat := range cardDurationStatistics { - if cloudbrainStat.TotalCanUse { - if _, ok := cardCanUsageRes[cloudbrainStat.AiCenterCode]; !ok { - cardCanUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration - } else { - cardCanUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration - } - } else { - if _, ok := cardUsageRes[cloudbrainStat.AiCenterCode]; !ok { - cardUsageRes[cloudbrainStat.AiCenterCode] = cloudbrainStat.CardsTotalDuration - } else { - cardUsageRes[cloudbrainStat.AiCenterCode] += cloudbrainStat.CardsTotalDuration - } - } - } - for k, v := range cardCanUsageRes { - for j, i := range cardUsageRes { - if k == j { - cardUtilizationRate[k] = i / v - } - } - } - - ctx.JSON(http.StatusOK, map[string]interface{}{ - "cardDurationStatistics": cardDurationStatistics, - "cardUsageRes": cardUsageRes, - "cardCanUsageRes": cardCanUsageRes, - "cardUtilizationRate": cardUtilizationRate, - }) - -} - func GetCloudbrainResourceUsageDetail(ctx *context.Context) { aiCenterCode := ctx.QueryTrim("aiCenterCode") - log.Info("aiCenterCode: %v", aiCenterCode) if aiCenterCode == "" { - aiCenterCode = "OpenIOne" + aiCenterCode = models.AICenterOfCloudBrainOne } beginTime, endTime := getBeginAndEndTime(ctx) dayCloudbrainDuration, count, err := getDayCloudbrainDuration(beginTime, endTime, aiCenterCode) @@ -1713,40 +1660,16 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain } else { usageDuration += cloudbrainStatistic.CardsTotalDuration } - // if cloudbrainStatistic.TotalCanUse { - // if _, ok := aiCenterTotalDuration[Date]; !ok { - // aiCenterTotalDuration[Date] = cloudbrainStatistic.CardsTotalDuration - // } else { - // aiCenterTotalDuration[Date] += cloudbrainStatistic.CardsTotalDuration - // } - // } else { - // if _, ok := aiCenterUsageDuration[Date]; !ok { - // aiCenterUsageDuration[Date] = cloudbrainStatistic.CardsTotalDuration - // } else { - // aiCenterUsageDuration[Date] += cloudbrainStatistic.CardsTotalDuration - // } - // } } } - // ResourceAiCenterRes, err := models.GetResourceAiCenters() - // if err != nil { - // log.Error("Can not get ResourceAiCenterRes.", err) - // return nil, nil, nil - // } - // for _, v := range ResourceAiCenterRes { - // if _, ok := aiCenterUsageDuration[v.AiCenterCode]; !ok { - // aiCenterUsageDuration[v.AiCenterCode] = 0 - // } - // } - - // for k, v := range aiCenterTotalDuration { - // for i, j := range aiCenterUsageDuration { - // if k == i { - // aiCenterUsageRate[k] = float64(j) / float64(v) - // } - // } - // } - // usageRate = float64(usageDuration) / float64(totalDuration) + if totalDuration == 0 || usageDuration == 0 { + usageRate = 0 + } else { + usageRate = float64(usageDuration) / float64(totalDuration) + } + // if + // usageRate, _ = strconv.ParseFloat(fmt.Sprintf("%.4f", float32(usageDuration)/float32(totalDuration)), 64) + // totalUsageRate = totalUse / totalCanUse return totalDuration, usageDuration, usageRate } @@ -1817,8 +1740,8 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati } } } - // totalCanUse := float64(0) - // totalUse := float64(0) + totalCanUse := float32(0) + totalUse := float32(0) totalUsageRate := float32(0) for k, v := range OpenITotalDuration { for i, j := range OpenIUsageDuration { @@ -1827,7 +1750,19 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati } } } - // totalUsageRate := totalUse / totalCanUse + for _, v := range OpenITotalDuration { + totalCanUse += float32(v) + } + for _, v := range OpenIUsageRate { + totalUse += float32(v) + } + if totalCanUse == 0 || totalUse == 0 { + totalUsageRate = 0 + } else { + totalUsageRate = totalUse / totalCanUse + } + // totalUsageRate = totalUse / totalCanUse + // strconv.FormatFloat(*100, 'f', 4, 64) + "%" OpenIDurationRate.AiCenterTotalDurationStat = OpenITotalDuration OpenIDurationRate.AiCenterUsageDurationStat = OpenIUsageDuration @@ -1919,13 +1854,17 @@ func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterC } - // for k, v := range hourTimeTotalDuration { - // for i, j := range hourTimeUsageDuration { - // if k == i { - // hourTimeUsageRate[k] = float64(j) / float64(v) - // } - // } - // } + for k, v := range hourTimeTotalDuration { + for i, j := range hourTimeUsageDuration { + if k == i { + if v == 0 || j == 0 { + hourTimeUsageRate[k] = 0 + } else { + hourTimeUsageRate[k] = float64(j) / float64(v) + } + } + } + } hourTimeStatistic.HourTimeTotalDuration = hourTimeTotalDuration hourTimeStatistic.HourTimeUsageDuration = hourTimeUsageDuration From 6e65b7144d1e8dd36d1589244e84fd170dd2ff10 Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 21 Oct 2022 10:53:53 +0800 Subject: [PATCH 034/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 23 ++++++++++++++++------- 1 file changed, 16 insertions(+), 7 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 6824858fb..691fe5002 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1728,16 +1728,18 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati return OpenIDurationRate, C2NetDurationRate, 0 } for _, v := range ResourceAiCenterRes { - if v.AiCenterCode != models.AICenterOfCloudBrainOne && v.AiCenterCode != models.AICenterOfCloudBrainTwo { - // if v.AiCenterCode != models.AICenterOfCloudBrainTwo { - if _, ok := C2NetUsageDuration[v.AiCenterName]; !ok { - C2NetUsageDuration[v.AiCenterName] = 0 - } - // } - } else { + // if v.AiCenterCode != models.AICenterOfCloudBrainOne && v.AiCenterCode != models.AICenterOfCloudBrainTwo { + if cutString(v.AiCenterCode, 4) == cutString(models.AICenterOfCloudBrainOne, 4) { if _, ok := OpenIUsageDuration[v.AiCenterName]; !ok { OpenIUsageDuration[v.AiCenterName] = 0 } + if _, ok := OpenITotalDuration[v.AiCenterName]; !ok { + OpenITotalDuration[v.AiCenterName] = 0 + } + } else { + if _, ok := C2NetUsageDuration[v.AiCenterName]; !ok { + C2NetUsageDuration[v.AiCenterName] = 0 + } } } totalCanUse := float32(0) @@ -1773,6 +1775,13 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati return OpenIDurationRate, C2NetDurationRate, totalUsageRate } +func cutString(str string, lens int) string { + if len(str) < lens { + return str + } + return str[:lens] +} + func getDayCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterCode string) ([]models.DateUsageStatistic, int, error) { now := time.Now() endTimeTemp := time.Date(endTime.Year(), endTime.Month(), endTime.Day(), 0, 0, 0, 0, now.Location()) From a529e612948c834e4fcc50a8750f232e973afdac Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Fri, 21 Oct 2022 15:51:34 +0800 Subject: [PATCH 035/149] =?UTF-8?q?=E8=B5=84=E6=BA=90=E8=AF=B4=E6=98=8E?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- routers/home.go | 5 + routers/routes/routes.go | 1 + templates/base/footer_content.tmpl | 3 +- templates/resource_desc.tmpl | 235 +++++++++++++++++++++++++++++++++++++ 4 files changed, 243 insertions(+), 1 deletion(-) create mode 100644 templates/resource_desc.tmpl diff --git a/routers/home.go b/routers/home.go index ac607b5be..aab760611 100755 --- a/routers/home.go +++ b/routers/home.go @@ -41,6 +41,7 @@ const ( tplExploreExploreDataAnalysis base.TplName = "explore/data_analysis" tplHomeTerm base.TplName = "terms" tplHomePrivacy base.TplName = "privacy" + tplResoruceDesc base.TplName = "resource_desc" ) // Home render home page @@ -820,3 +821,7 @@ func HomeTerm(ctx *context.Context) { func HomePrivacy(ctx *context.Context) { ctx.HTML(200, tplHomePrivacy) } + +func HomeResoruceDesc(ctx *context.Context) { + ctx.HTML(200, tplResoruceDesc) +} \ No newline at end of file diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 9a523ea48..fd8bae7d7 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -338,6 +338,7 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/action/notification", routers.ActionNotification) m.Get("/recommend/home", routers.RecommendHomeInfo) m.Get("/dashboard/invitation", routers.GetMapInfo) + m.Get("/resource_desc", routers.HomeResoruceDesc) //m.Get("/recommend/org", routers.RecommendOrgFromPromote) //m.Get("/recommend/repo", routers.RecommendRepoFromPromote) m.Get("/recommend/userrank/:index", routers.GetUserRankFromPromote) diff --git a/templates/base/footer_content.tmpl b/templates/base/footer_content.tmpl index cdc2cf549..ce4ea5cc6 100755 --- a/templates/base/footer_content.tmpl +++ b/templates/base/footer_content.tmpl @@ -36,7 +36,8 @@ {{else}} {{.i18n.Tr "custom.foot.advice_feedback"}} {{end}} - + {{.i18n.Tr "custom.Platform_Tutorial"}} + {{template "custom/extra_links_footer" .}}
diff --git a/templates/resource_desc.tmpl b/templates/resource_desc.tmpl new file mode 100644 index 000000000..e809541ad --- /dev/null +++ b/templates/resource_desc.tmpl @@ -0,0 +1,235 @@ +{{template "base/head_home" .}} + +
+

平台资源说明

+
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
集群计算资源任务类型卡类型可用镜像网络类型数据集处理方式容器目录说明示例代码仓备注
启智集群GPU调试任务T4 +
    +
  • + 外部公开镜像,如:dockerhub镜像; +
  • +
  • 平台镜像;
  • +
+
能连外网平台可解压数据集 + 数据集存放路径/dataset,模型存放路径/model,代码存放路径/code +
训练任务V100 +
    +
  • 平台镜像;
  • +
+
不能连外网 + 训练脚本存储在/code中,数据集存储在/dataset中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/model中 + 以供后续下载。 + + https://git.openi.org.cn/OpenIO + SSG/MNIST_PytorchExample_GPU + + 启智集群V100不能连外网,只能使用平台的镜像,不可使用外部公开镜像,,否则任务会一直处于waiting + 状态 +
A100 +
    +
  • + 外部公开镜像,如:dockerhub镜像; +
  • +
  • 平台镜像;
  • +
+
能连外网
推理任务V100 +
    +
  • 平台镜像;
  • +
+
不能连外网 + 数据集存储在/dataset中,模型文件存储在/model中,推理输出请存储在/result中 + 以供后续下载。 + + https://git.openi.org.cn/OpenIO + SSG/MNIST_PytorchExample_GPU/src/branch/master/inference.py +
评测任务V100 +
    +
  • 平台镜像;
  • +
+
不能连外网 + 模型评测时,先使用数据集功能上传模型,然后从数据集列表选模型。 +
NPU调试任务Ascend 910 +
    +
  • 平台镜像;
  • +
+
能连外网
训练任务Ascend 910 + 数据集位置存储在环境变量data_url中,预训练模型存放在环境变量ckpt_url中,训练输出路径存储在环境变量train_url中。 + + https://git.openi.org.cn/OpenIOSSG/MNIST_Example +
推理任务Ascend 910 + 数据集位置存储在环境变量data_url中,推理输出路径存储在环境变量result_url中。 + + https://git.openi.org.cn/OpenIOSSG/MNIST_Example +
智算网络GPU训练任务V100 +
    +
  • + 外部公开镜像,如:dockerhub镜像; +
  • +
  • 平台镜像;
  • +
+
能连外网用户自行解压数据 集 + 训练脚本存储在/tmp/code中,数据集存储在/tmp/dataset中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/tmp/output中以供后续下载。 + + https://git.openi.org.cn/OpenIO + SSG/MNIST_PytorchExample_GPU/src/branch/master/train_for_c + A100 2net.py +
A100 +
    +
  • + 外部公开镜像,如:dockerhub镜像; +
  • +
  • 平台镜像;
  • +
+
能连外网
NPU训练任务Ascend 910 +
    +
  • 平台镜像;
  • +
+
能连外网 + 训练脚本存储在/cache/code中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/cache/output中以供后续下载。 + + https://git.openi.org.cn/OpenIO + SSG/MNIST_Example/src/branch/master/train_for_c2net.py +
+
+ +{{template "base/footer" .}} From 2e25fc2d079ea36663cc182496a4cdd5c5964eb9 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Fri, 21 Oct 2022 15:53:46 +0800 Subject: [PATCH 036/149] fix style css --- web_src/less/_user.less | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/web_src/less/_user.less b/web_src/less/_user.less index e07831c25..29ca96255 100644 --- a/web_src/less/_user.less +++ b/web_src/less/_user.less @@ -227,6 +227,11 @@ line-height: 20px; width: 100px; word-break: break-all; + overflow: hidden; + text-overflow: ellipsis; + display: -webkit-box; + -webkit-line-clamp: 2; + -webkit-box-orient: vertical; } .badge-section-title:before { content: ""; From 482b4bffea0cf233ddca1823c68933918c336bce Mon Sep 17 00:00:00 2001 From: ychao_1983 Date: Fri, 21 Oct 2022 16:01:32 +0800 Subject: [PATCH 037/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- models/cloudbrain.go | 137 +--------------------------- routers/repo/aisafety.go | 6 ++ routers/repo/cloudbrain.go | 136 +++++++++++++-------------- routers/repo/grampus.go | 11 ++- routers/repo/modelarts.go | 70 ++++---------- services/cloudbrain/cloudbrainTask/count.go | 86 +++++++++++++++++ 6 files changed, 196 insertions(+), 250 deletions(-) create mode 100644 services/cloudbrain/cloudbrainTask/count.go diff --git a/models/cloudbrain.go b/models/cloudbrain.go index 6135dac40..f0e27995e 100755 --- a/models/cloudbrain.go +++ b/models/cloudbrain.go @@ -2015,11 +2015,6 @@ func GetModelSafetyTestTask() ([]*Cloudbrain, error) { return cloudbrains, err } -func GetCloudbrainCountByUserID(userID int64, jobType string) (int, error) { - count, err := x.In("status", JobWaiting, JobRunning).And("job_type = ? and user_id = ? and type = ?", jobType, userID, TypeCloudBrainOne).Count(new(Cloudbrain)) - return int(count), err -} - func GetCloudbrainRunCountByRepoID(repoID int64) (int, error) { count, err := x.In("status", JobWaiting, JobRunning, ModelArtsCreateQueue, ModelArtsCreating, ModelArtsStarting, ModelArtsReadyToStart, ModelArtsResizing, ModelArtsStartQueuing, ModelArtsRunning, ModelArtsDeleting, ModelArtsRestarting, ModelArtsTrainJobInit, @@ -2028,11 +2023,6 @@ func GetCloudbrainRunCountByRepoID(repoID int64) (int, error) { return int(count), err } -func GetBenchmarkCountByUserID(userID int64) (int, error) { - count, err := x.In("status", JobWaiting, JobRunning).And("(job_type = ? or job_type = ? or job_type = ?) and user_id = ? and type = ?", string(JobTypeBenchmark), string(JobTypeModelSafety), string(JobTypeBrainScore), string(JobTypeSnn4imagenet), userID, TypeCloudBrainOne).Count(new(Cloudbrain)) - return int(count), err -} - func GetModelSafetyCountByUserID(userID int64) (int, error) { count, err := x.In("status", JobWaiting, JobRunning).And("job_type = ? and user_id = ?", string(JobTypeModelSafety), userID).Count(new(Cloudbrain)) return int(count), err @@ -2048,40 +2038,14 @@ func GetWaitingCloudbrainCount(cloudbrainType int, computeResource string, jobTy } return sess.Count(new(Cloudbrain)) } - -func GetCloudbrainNotebookCountByUserID(userID int64) (int, error) { - count, err := x.In("status", ModelArtsCreateQueue, ModelArtsCreating, ModelArtsStarting, ModelArtsReadyToStart, ModelArtsResizing, ModelArtsStartQueuing, ModelArtsRunning, ModelArtsRestarting). - And("job_type = ? and user_id = ? and type in (?,?)", JobTypeDebug, userID, TypeCloudBrainTwo, TypeCDCenter).Count(new(Cloudbrain)) - return int(count), err -} - -func GetCloudbrainTrainJobCountByUserID(userID int64) (int, error) { - count, err := x.In("status", ModelArtsTrainJobInit, ModelArtsTrainJobImageCreating, ModelArtsTrainJobSubmitTrying, ModelArtsTrainJobWaiting, ModelArtsTrainJobRunning, ModelArtsTrainJobScaling, ModelArtsTrainJobCheckInit, ModelArtsTrainJobCheckRunning, ModelArtsTrainJobCheckRunningCompleted). - And("job_type = ? and user_id = ? and type = ?", JobTypeTrain, userID, TypeCloudBrainTwo).Count(new(Cloudbrain)) - return int(count), err -} - -func GetCloudbrainInferenceJobCountByUserID(userID int64) (int, error) { - count, err := x.In("status", ModelArtsTrainJobInit, ModelArtsTrainJobImageCreating, ModelArtsTrainJobSubmitTrying, ModelArtsTrainJobWaiting, ModelArtsTrainJobRunning, ModelArtsTrainJobScaling, ModelArtsTrainJobCheckInit, ModelArtsTrainJobCheckRunning, ModelArtsTrainJobCheckRunningCompleted). - And("job_type = ? and user_id = ? and type = ?", JobTypeInference, userID, TypeCloudBrainTwo).Count(new(Cloudbrain)) - return int(count), err -} - -func GetGrampusCountByUserID(userID int64, jobType, computeResource string) (int, error) { - count, err := x.In("status", GrampusStatusWaiting, GrampusStatusRunning).And("job_type = ? and user_id = ? and type = ?", jobType, userID, TypeC2Net).And("compute_resource = ?", computeResource).Count(new(Cloudbrain)) +func GetNotFinalStatusTaskCount(userID int64, notFinalStatus []string, jobTypes []JobType, cloudbrainTypes []int, computeResource string) (int, error) { + count, err := x.In("status", notFinalStatus). + In("job_type", jobTypes). + In("type", cloudbrainTypes). + And("user_id = ? and compute_resource = ?", userID, computeResource).Count(new(Cloudbrain)) return int(count), err } -func UpdateInferenceJob(job *Cloudbrain) error { - return updateInferenceJob(x, job) -} - -func updateInferenceJob(e Engine, job *Cloudbrain) error { - var sess *xorm.Session - sess = e.Where("job_id = ?", job.JobID) - _, err := sess.Cols("status", "train_job_duration", "duration", "start_time", "end_time", "created_unix").Update(job) - return err -} func RestartCloudbrain(old *Cloudbrain, new *Cloudbrain) (err error) { sess := x.NewSession() defer sess.Close() @@ -2411,97 +2375,6 @@ var ( CloudbrainSpecialGpuInfosMap map[string]*GpuInfo ) -func InitCloudbrainOneResourceSpecMap() { - if CloudbrainDebugResourceSpecsMap == nil || len(CloudbrainDebugResourceSpecsMap) == 0 { - t := ResourceSpecs{} - json.Unmarshal([]byte(setting.ResourceSpecs), &t) - CloudbrainDebugResourceSpecsMap = make(map[int]*ResourceSpec, len(t.ResourceSpec)) - for _, spec := range t.ResourceSpec { - CloudbrainDebugResourceSpecsMap[spec.Id] = spec - } - } - if CloudbrainTrainResourceSpecsMap == nil || len(CloudbrainTrainResourceSpecsMap) == 0 { - t := ResourceSpecs{} - json.Unmarshal([]byte(setting.TrainResourceSpecs), &t) - CloudbrainTrainResourceSpecsMap = make(map[int]*ResourceSpec, len(t.ResourceSpec)) - for _, spec := range t.ResourceSpec { - CloudbrainTrainResourceSpecsMap[spec.Id] = spec - } - } - if CloudbrainInferenceResourceSpecsMap == nil || len(CloudbrainInferenceResourceSpecsMap) == 0 { - t := ResourceSpecs{} - json.Unmarshal([]byte(setting.InferenceResourceSpecs), &t) - CloudbrainInferenceResourceSpecsMap = make(map[int]*ResourceSpec, len(t.ResourceSpec)) - for _, spec := range t.ResourceSpec { - CloudbrainInferenceResourceSpecsMap[spec.Id] = spec - } - } - if CloudbrainBenchmarkResourceSpecsMap == nil || len(CloudbrainBenchmarkResourceSpecsMap) == 0 { - t := ResourceSpecs{} - json.Unmarshal([]byte(setting.BenchmarkResourceSpecs), &t) - CloudbrainBenchmarkResourceSpecsMap = make(map[int]*ResourceSpec, len(t.ResourceSpec)) - for _, spec := range t.ResourceSpec { - CloudbrainBenchmarkResourceSpecsMap[spec.Id] = spec - } - } - if CloudbrainSpecialResourceSpecsMap == nil || len(CloudbrainSpecialResourceSpecsMap) == 0 { - t := SpecialPools{} - json.Unmarshal([]byte(setting.SpecialPools), &t) - for _, pool := range t.Pools { - CloudbrainSpecialResourceSpecsMap = make(map[int]*ResourceSpec, len(pool.ResourceSpec)) - for _, spec := range pool.ResourceSpec { - CloudbrainSpecialResourceSpecsMap[spec.Id] = spec - } - } - } - SpecsMapInitFlag = true -} - -func InitCloudbrainOneGpuInfoMap() { - if CloudbrainDebugGpuInfosMap == nil || len(CloudbrainDebugGpuInfosMap) == 0 { - t := GpuInfos{} - json.Unmarshal([]byte(setting.GpuTypes), &t) - CloudbrainDebugGpuInfosMap = make(map[string]*GpuInfo, len(t.GpuInfo)) - for _, GpuInfo := range t.GpuInfo { - CloudbrainDebugGpuInfosMap[GpuInfo.Queue] = GpuInfo - } - } - if CloudbrainTrainGpuInfosMap == nil || len(CloudbrainTrainGpuInfosMap) == 0 { - t := GpuInfos{} - json.Unmarshal([]byte(setting.TrainGpuTypes), &t) - CloudbrainTrainGpuInfosMap = make(map[string]*GpuInfo, len(t.GpuInfo)) - for _, GpuInfo := range t.GpuInfo { - CloudbrainTrainGpuInfosMap[GpuInfo.Queue] = GpuInfo - } - } - if CloudbrainInferenceGpuInfosMap == nil || len(CloudbrainInferenceGpuInfosMap) == 0 { - t := GpuInfos{} - json.Unmarshal([]byte(setting.InferenceGpuTypes), &t) - CloudbrainInferenceGpuInfosMap = make(map[string]*GpuInfo, len(t.GpuInfo)) - for _, GpuInfo := range t.GpuInfo { - CloudbrainInferenceGpuInfosMap[GpuInfo.Queue] = GpuInfo - } - } - if CloudbrainBenchmarkGpuInfosMap == nil || len(CloudbrainBenchmarkGpuInfosMap) == 0 { - t := GpuInfos{} - json.Unmarshal([]byte(setting.BenchmarkGpuTypes), &t) - CloudbrainBenchmarkGpuInfosMap = make(map[string]*GpuInfo, len(t.GpuInfo)) - for _, GpuInfo := range t.GpuInfo { - CloudbrainBenchmarkGpuInfosMap[GpuInfo.Queue] = GpuInfo - } - } - if CloudbrainSpecialGpuInfosMap == nil || len(CloudbrainSpecialGpuInfosMap) == 0 { - t := SpecialPools{} - json.Unmarshal([]byte(setting.SpecialPools), &t) - for _, pool := range t.Pools { - CloudbrainSpecialGpuInfosMap = make(map[string]*GpuInfo, len(pool.Pool)) - for _, GpuInfo := range pool.Pool { - CloudbrainSpecialGpuInfosMap[GpuInfo.Queue] = GpuInfo - } - } - } - GpuInfosMapInitFlag = true -} func GetNewestJobsByAiCenter() ([]int64, error) { ids := make([]int64, 0) return ids, x. diff --git a/routers/repo/aisafety.go b/routers/repo/aisafety.go index 5102a6722..63f50592b 100644 --- a/routers/repo/aisafety.go +++ b/routers/repo/aisafety.go @@ -535,6 +535,8 @@ func AiSafetyCreateForGetGPU(ctx *context.Context) { } else { log.Info("The GPU WaitCount not get") } + NotStopTaskCount, _ := models.GetModelSafetyCountByUserID(ctx.User.ID) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount ctx.HTML(200, tplModelSafetyTestCreateGpu) } @@ -578,6 +580,8 @@ func AiSafetyCreateForGetNPU(ctx *context.Context) { waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount log.Info("The NPU WaitCount is " + fmt.Sprint(waitCount)) + NotStopTaskCount, _ := models.GetModelSafetyCountByUserID(ctx.User.ID) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount ctx.HTML(200, tplModelSafetyTestCreateNpu) } @@ -980,6 +984,8 @@ func modelSafetyNewDataPrepare(ctx *context.Context) error { ctx.Data["ckpt_name"] = ctx.Query("ckpt_name") ctx.Data["model_name"] = ctx.Query("model_name") ctx.Data["model_version"] = ctx.Query("model_version") + NotStopTaskCount, _ := models.GetModelSafetyCountByUserID(ctx.User.ID) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount if ctx.QueryInt("type") == models.TypeCloudBrainOne { ctx.Data["type"] = models.TypeCloudBrainOne diff --git a/routers/repo/cloudbrain.go b/routers/repo/cloudbrain.go index a2ea7d51b..f5a43e697 100755 --- a/routers/repo/cloudbrain.go +++ b/routers/repo/cloudbrain.go @@ -17,6 +17,7 @@ import ( "code.gitea.io/gitea/modules/dataset" + "code.gitea.io/gitea/services/cloudbrain/cloudbrainTask" "code.gitea.io/gitea/services/cloudbrain/resource" "code.gitea.io/gitea/services/reward/point/account" @@ -107,7 +108,7 @@ func jobNamePrefixValid(s string) string { } -func cloudBrainNewDataPrepare(ctx *context.Context) error { +func cloudBrainNewDataPrepare(ctx *context.Context, jobType string) error { ctx.Data["PageIsCloudBrain"] = true t := time.Now() var displayJobName = jobNamePrefixValid(cutString(ctx.User.Name, 5)) + t.Format("2006010215") + strconv.Itoa(int(t.Unix()))[5:] @@ -148,6 +149,8 @@ func cloudBrainNewDataPrepare(ctx *context.Context) error { defaultMode = "alogrithm" } ctx.Data["benchmarkMode"] = defaultMode + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount if ctx.Cloudbrain != nil { ctx.Data["branch_name"] = ctx.Cloudbrain.BranchName @@ -210,7 +213,7 @@ func prepareCloudbrainOneSpecs(ctx *context.Context) { } func CloudBrainNew(ctx *context.Context) { - err := cloudBrainNewDataPrepare(ctx) + err := cloudBrainNewDataPrepare(ctx, string(models.JobTypeDebug)) if err != nil { ctx.ServerError("get new cloudbrain info failed", err) return @@ -244,7 +247,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { isOk, err := lock.Lock(models.CloudbrainKeyDuration) if !isOk { log.Error("lock processed failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_samejob_err"), tpl, &form) return } @@ -254,42 +257,42 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { if err == nil { if len(tasks) != 0 { log.Error("the job name did already exist", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("the job name did already exist", tpl, &form) return } } else { if !models.IsErrJobNotExist(err) { log.Error("system error, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } } if !jobNamePattern.MatchString(displayJobName) { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_jobname_err"), tpl, &form) return } if jobType != string(models.JobTypeBenchmark) && jobType != string(models.JobTypeDebug) && jobType != string(models.JobTypeTrain) { log.Error("jobtype error:", jobType, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("jobtype error", tpl, &form) return } - count, err := models.GetCloudbrainCountByUserID(ctx.User.ID, jobType) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } else { if count >= 1 { log.Error("the user already has running or waiting task", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain.morethanonejob"), tpl, &form) return } @@ -301,7 +304,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { datasetInfos, datasetNames, err = models.GetDatasetInfo(uuids) if err != nil { log.Error("GetDatasetInfo failed: %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("cloudbrain.error.dataset_select"), tpl, &form) return } @@ -312,7 +315,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { bootFileExist, err := ctx.Repo.FileExists(bootFile, branchName) if err != nil || !bootFileExist { log.Error("Get bootfile error:", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_bootfile_err"), tpl, &form) return } @@ -320,7 +323,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { commandTrain, err := getTrainJobCommand(form) if err != nil { log.Error("getTrainJobCommand failed: %v", err) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tpl, &form) return } @@ -333,7 +336,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { } errStr := loadCodeAndMakeModelPath(repo, codePath, branchName, jobName, cloudbrain.ModelMountPath) if errStr != "" { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr(errStr), tpl, &form) return } @@ -346,14 +349,14 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { Cluster: models.OpenICluster, AiCenterCode: models.AICenterOfCloudBrainOne}) if err != nil || spec == nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("Resource specification not available", tpl, &form) return } if !account.IsPointBalanceEnough(ctx.User.ID, spec.UnitPrice) { log.Error("point balance is not enough,userId=%d specId=%d", ctx.User.ID, spec.ID) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("points.insufficient_points_balance"), tpl, &form) return } @@ -396,7 +399,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { err = cloudbrain.GenerateTask(req) if err != nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tpl, &form) return } @@ -454,7 +457,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra isOk, err := lock.Lock(models.CloudbrainKeyDuration) if !isOk { log.Error("lock processed failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_samejob_err"), tpl, &form) return } @@ -465,7 +468,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra command, err := getInferenceJobCommand(form) if err != nil { log.Error("getTrainJobCommand failed: %v", err) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tpl, &form) return } @@ -474,21 +477,21 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra if err == nil { if len(tasks) != 0 { log.Error("the job name did already exist", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("the job name did already exist", tpl, &form) return } } else { if !models.IsErrJobNotExist(err) { log.Error("system error, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } } if !jobNamePattern.MatchString(displayJobName) { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_jobname_err"), tpl, &form) return } @@ -496,21 +499,21 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra bootFileExist, err := ctx.Repo.FileExists(bootFile, branchName) if err != nil || !bootFileExist { log.Error("Get bootfile error:", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_bootfile_err"), tpl, &form) return } - count, err := models.GetCloudbrainCountByUserID(ctx.User.ID, jobType) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } else { if count >= 1 { log.Error("the user already has running or waiting task", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain.morethanonejob"), tpl, &form) return } @@ -521,7 +524,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra } errStr := loadCodeAndMakeModelPath(repo, codePath, branchName, jobName, cloudbrain.ResultPath) if errStr != "" { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr(errStr), tpl, &form) return } @@ -531,7 +534,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra datasetInfos, datasetNames, err := models.GetDatasetInfo(uuid) if err != nil { log.Error("GetDatasetInfo failed: %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("cloudbrain.error.dataset_select"), tpl, &form) return } @@ -541,13 +544,13 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra Cluster: models.OpenICluster, AiCenterCode: models.AICenterOfCloudBrainOne}) if err != nil || spec == nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("Resource specification not available", tpl, &form) return } if !account.IsPointBalanceEnough(ctx.User.ID, spec.UnitPrice) { log.Error("point balance is not enough,userId=%d specId=%d", ctx.User.ID, spec.ID) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("points.insufficient_points_balance"), tpl, &form) return } @@ -582,7 +585,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra err = cloudbrain.GenerateTask(req) if err != nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tpl, &form) return } @@ -682,7 +685,7 @@ func CloudBrainRestart(ctx *context.Context) { break } - count, err := models.GetCloudbrainCountByUserID(ctx.User.ID, string(models.JobTypeDebug)) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, string(models.JobTypeDebug), models.GPUResource) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) resultCode = "-1" @@ -2222,7 +2225,7 @@ func CloudBrainBenchmarkNew(ctx *context.Context) { ctx.Data["description"] = "" ctx.Data["benchmarkTypeID"] = -1 ctx.Data["benchmark_child_types_id_hidden"] = -1 - err := cloudBrainNewDataPrepare(ctx) + err := cloudBrainNewDataPrepare(ctx, string(models.JobTypeBenchmark)) if err != nil { ctx.ServerError("get new cloudbrain info failed", err) return @@ -2327,6 +2330,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo benchmarkTypeID := form.BenchmarkTypeID benchmarkChildTypeID := form.BenchmarkChildTypeID repo := ctx.Repo.Repository + jobType := form.JobType ctx.Data["description"] = form.Description ctx.Data["benchmarkTypeID"] = benchmarkTypeID @@ -2336,31 +2340,31 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo isOk, err := lock.Lock(models.CloudbrainKeyDuration) if !isOk { log.Error("lock processed failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_samejob_err"), tplCloudBrainBenchmarkNew, &form) return } defer lock.UnLock() - tasks, err := models.GetCloudbrainsByDisplayJobName(repo.ID, string(models.JobTypeBenchmark), displayJobName) + tasks, err := models.GetCloudbrainsByDisplayJobName(repo.ID, jobType, displayJobName) if err == nil { if len(tasks) != 0 { log.Error("the job name did already exist", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("the job name did already exist", tplCloudBrainBenchmarkNew, &form) return } } else { if !models.IsErrJobNotExist(err) { log.Error("system error, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) return } } if !jobNamePattern.MatchString(jobName) { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_jobname_err"), tplCloudBrainBenchmarkNew, &form) return } @@ -2368,7 +2372,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo childInfo, err := getBenchmarkAttachment(benchmarkTypeID, benchmarkChildTypeID, ctx) if err != nil { log.Error("getBenchmarkAttachment failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("benchmark type error", tplCloudBrainBenchmarkNew, &form) return } @@ -2379,27 +2383,27 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo Cluster: models.OpenICluster, AiCenterCode: models.AICenterOfCloudBrainOne}) if err != nil || spec == nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("Resource specification not available", tplCloudBrainBenchmarkNew, &form) return } if !account.IsPointBalanceEnough(ctx.User.ID, spec.UnitPrice) { log.Error("point balance is not enough,userId=%d specId=%d", ctx.User.ID, spec.ID) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("points.insufficient_points_balance"), tplCloudBrainBenchmarkNew, &form) return } - count, err := models.GetBenchmarkCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) return } else { if count >= 1 { log.Error("the user already has running or waiting task", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain.morethanonejob"), tplCloudBrainBenchmarkNew, &form) return } @@ -2408,7 +2412,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo os.RemoveAll(codePath) if err := downloadCode(repo, codePath, cloudbrain.DefaultBranchName); err != nil { log.Error("downloadCode failed, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) return } @@ -2417,11 +2421,11 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo if os.IsNotExist(err) { // file does not exist log.Error("train.py does not exist, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("train.py does not exist", tplCloudBrainBenchmarkNew, &form) } else { log.Error("Stat failed, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) } return @@ -2429,11 +2433,11 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo if os.IsNotExist(err) { // file does not exist log.Error("test.py does not exist, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("test.py does not exist", tplCloudBrainBenchmarkNew, &form) } else { log.Error("Stat failed, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) } return @@ -2441,7 +2445,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo if err := uploadCodeToMinio(codePath+"/", jobName, cloudbrain.CodeMountPath+"/"); err != nil { log.Error("uploadCodeToMinio failed, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tplCloudBrainBenchmarkNew, &form) return } @@ -2466,7 +2470,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo datasetInfos, datasetNames, err := models.GetDatasetInfo(uuid) if err != nil { log.Error("GetDatasetInfo failed: %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("cloudbrain.error.dataset_select"), tplCloudBrainBenchmarkNew, &form) return } @@ -2500,7 +2504,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo err = cloudbrain.GenerateTask(req) if err != nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tplCloudBrainBenchmarkNew, &form) return } @@ -2526,7 +2530,7 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) isOk, err := lock.Lock(models.CloudbrainKeyDuration) if !isOk { log.Error("lock processed failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_samejob_err"), tpl, &form) return } @@ -2536,42 +2540,42 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) if err == nil { if len(tasks) != 0 { log.Error("the job name did already exist", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("the job name did already exist", tpl, &form) return } } else { if !models.IsErrJobNotExist(err) { log.Error("system error, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } } if !jobNamePattern.MatchString(displayJobName) { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain_jobname_err"), tpl, &form) return } if jobType != string(models.JobTypeSnn4imagenet) && jobType != string(models.JobTypeBrainScore) { log.Error("jobtype error:", jobType, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("jobtype error", tpl, &form) return } - count, err := models.GetBenchmarkCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("system error", tpl, &form) return } else { if count >= 1 { log.Error("the user already has running or waiting task", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("repo.cloudbrain.morethanonejob"), tpl, &form) return } @@ -2603,7 +2607,7 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) datasetInfos, datasetNames, err := models.GetDatasetInfo(uuid) if err != nil { log.Error("GetDatasetInfo failed: %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("cloudbrain.error.dataset_select"), tpl, &form) return } @@ -2613,14 +2617,14 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) Cluster: models.OpenICluster, AiCenterCode: models.AICenterOfCloudBrainOne}) if err != nil || spec == nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr("Resource specification not available", tpl, &form) return } if !account.IsPointBalanceEnough(ctx.User.ID, spec.UnitPrice) { log.Error("point balance is not enough,userId=%d specId=%d", ctx.User.ID, spec.ID) - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(ctx.Tr("points.insufficient_points_balance"), tpl, &form) return } @@ -2654,7 +2658,7 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) err = cloudbrain.GenerateTask(req) if err != nil { - cloudBrainNewDataPrepare(ctx) + cloudBrainNewDataPrepare(ctx, jobType) ctx.RenderWithErr(err.Error(), tpl, &form) return } @@ -2701,7 +2705,7 @@ func CloudBrainTrainJobVersionNew(ctx *context.Context) { } func cloudBrainTrainJobCreate(ctx *context.Context) { - err := cloudBrainNewDataPrepare(ctx) + err := cloudBrainNewDataPrepare(ctx, string(models.JobTypeTrain)) if err != nil { ctx.ServerError("get new train-job info failed", err) return @@ -2710,7 +2714,7 @@ func cloudBrainTrainJobCreate(ctx *context.Context) { } func InferenceCloudBrainJobNew(ctx *context.Context) { - err := cloudBrainNewDataPrepare(ctx) + err := cloudBrainNewDataPrepare(ctx, string(models.JobTypeInference)) if err != nil { ctx.ServerError("get new train-job info failed", err) return diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index b78bdebd3..d901298b7 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -12,6 +12,8 @@ import ( "strings" "time" + "code.gitea.io/gitea/services/cloudbrain/cloudbrainTask" + "code.gitea.io/gitea/modules/dataset" "code.gitea.io/gitea/services/cloudbrain/resource" @@ -135,10 +137,15 @@ func grampusTrainJobNewDataPrepare(ctx *context.Context, processType string) err ctx.Data["datasetType"] = models.TypeCloudBrainOne waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeC2Net, models.GPUResource, models.JobTypeTrain) ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeC2Net, string(models.JobTypeTrain), models.GPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount + } else if processType == grampus.ProcessorTypeNPU { ctx.Data["datasetType"] = models.TypeCloudBrainTwo waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeC2Net, models.NPUResource, models.JobTypeTrain) ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeC2Net, string(models.JobTypeTrain), models.NPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount } if ctx.Cloudbrain != nil { @@ -300,7 +307,7 @@ func grampusTrainJobGpuCreate(ctx *context.Context, form auth.CreateGrampusTrain } //check count limit - count, err := models.GetGrampusCountByUserID(ctx.User.ID, string(models.JobTypeTrain), models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeC2Net, string(models.JobTypeTrain), models.GPUResource) if err != nil { log.Error("GetGrampusCountByUserID failed:%v", err, ctx.Data["MsgID"]) grampusTrainJobNewDataPrepare(ctx, grampus.ProcessorTypeGPU) @@ -570,7 +577,7 @@ func grampusTrainJobNpuCreate(ctx *context.Context, form auth.CreateGrampusTrain } //check count limit - count, err := models.GetGrampusCountByUserID(ctx.User.ID, string(models.JobTypeTrain), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeC2Net, string(models.JobTypeTrain), models.NPUResource) if err != nil { log.Error("GetGrampusCountByUserID failed:%v", err, ctx.Data["MsgID"]) grampusTrainJobNewDataPrepare(ctx, grampus.ProcessorTypeNPU) diff --git a/routers/repo/modelarts.go b/routers/repo/modelarts.go index 6e44b3cd2..2a10da264 100755 --- a/routers/repo/modelarts.go +++ b/routers/repo/modelarts.go @@ -15,6 +15,8 @@ import ( "time" "unicode/utf8" + "code.gitea.io/gitea/services/cloudbrain/cloudbrainTask" + "code.gitea.io/gitea/modules/dataset" "code.gitea.io/gitea/modules/modelarts_cd" @@ -144,6 +146,8 @@ func notebookNewDataPrepare(ctx *context.Context) error { waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil } @@ -162,50 +166,6 @@ func prepareCloudbrainTwoDebugSpecs(ctx *context.Context) { ctx.Data["Specs"] = noteBookSpecs } -func NotebookCreate(ctx *context.Context, form auth.CreateModelArtsNotebookForm) { - ctx.Data["PageIsNotebook"] = true - jobName := form.JobName - uuid := form.Attachment - description := form.Description - flavor := form.Flavor - - count, err := models.GetCloudbrainNotebookCountByUserID(ctx.User.ID) - if err != nil { - log.Error("GetCloudbrainNotebookCountByUserID failed:%v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) - ctx.RenderWithErr("system error", tplModelArtsNotebookNew, &form) - return - } else { - if count >= 1 { - log.Error("the user already has running or waiting task", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) - ctx.RenderWithErr("you have already a running or waiting task, can not create more", tplModelArtsNotebookNew, &form) - return - } - } - _, err = models.GetCloudbrainByName(jobName) - if err == nil { - log.Error("the job name did already exist", ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) - ctx.RenderWithErr("the job name did already exist", tplModelArtsNotebookNew, &form) - return - } else { - if !models.IsErrJobNotExist(err) { - log.Error("system error, %v", err, ctx.Data["MsgID"]) - cloudBrainNewDataPrepare(ctx) - ctx.RenderWithErr("system error", tplModelArtsNotebookNew, &form) - return - } - } - - err = modelarts.GenerateTask(ctx, jobName, uuid, description, flavor) - if err != nil { - ctx.RenderWithErr(err.Error(), tplModelArtsNotebookNew, &form) - return - } - ctx.Redirect(setting.AppSubURL + ctx.Repo.RepoLink + "/debugjob?debugListType=all") -} - func Notebook2Create(ctx *context.Context, form auth.CreateModelArtsNotebookForm) { ctx.Data["PageIsNotebook"] = true displayJobName := form.DisplayJobName @@ -225,7 +185,8 @@ func Notebook2Create(ctx *context.Context, form auth.CreateModelArtsNotebookForm } defer lock.UnLock() - count, err := models.GetCloudbrainNotebookCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + if err != nil { log.Error("GetCloudbrainNotebookCountByUserID failed:%v", err, ctx.Data["MsgID"]) notebookNewDataPrepare(ctx) @@ -272,7 +233,7 @@ func Notebook2Create(ctx *context.Context, form auth.CreateModelArtsNotebookForm } if !account.IsPointBalanceEnough(ctx.User.ID, spec.UnitPrice) { log.Error("point balance is not enough,userId=%d specId=%d ", ctx.User.ID, spec.ID) - cloudBrainNewDataPrepare(ctx) + notebookNewDataPrepare(ctx) ctx.RenderWithErr(ctx.Tr("points.insufficient_points_balance"), tplModelArtsNotebookNew, &form) return } @@ -450,7 +411,8 @@ func NotebookRestart(ctx *context.Context) { break } - count, err := models.GetCloudbrainNotebookCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + if err != nil { log.Error("GetCloudbrainNotebookCountByUserID failed:%v", err, ctx.Data["MsgID"]) errorMsg = "system error" @@ -798,6 +760,8 @@ func trainJobNewDataPrepare(ctx *context.Context) error { ctx.Data["datasetType"] = models.TypeCloudBrainTwo waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount setMultiNodeIfConfigureMatch(ctx) @@ -966,6 +930,8 @@ func trainJobNewVersionDataPrepare(ctx *context.Context) error { ctx.Data["config_list"] = configList.ParaConfigs waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil } @@ -1012,7 +978,8 @@ func TrainJobCreate(ctx *context.Context, form auth.CreateModelArtsTrainJobForm) } defer lock.UnLock() - count, err := models.GetCloudbrainTrainJobCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + if err != nil { log.Error("GetCloudbrainTrainJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) trainJobNewDataPrepare(ctx) @@ -1356,7 +1323,7 @@ func TrainJobCreateVersion(ctx *context.Context, form auth.CreateModelArtsTrainJ return } - count, err := models.GetCloudbrainTrainJobCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) if err != nil { log.Error("GetCloudbrainTrainJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) trainJobNewVersionDataPrepare(ctx) @@ -2007,7 +1974,8 @@ func InferenceJobCreate(ctx *context.Context, form auth.CreateModelArtsInference } defer lock.UnLock() - count, err := models.GetCloudbrainInferenceJobCountByUserID(ctx.User.ID) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference), models.NPUResource) + if err != nil { log.Error("GetCloudbrainInferenceJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) inferenceJobErrorNewDataPrepare(ctx, form) @@ -2409,6 +2377,8 @@ func inferenceJobNewDataPrepare(ctx *context.Context) error { ctx.Data["datasetType"] = models.TypeCloudBrainTwo waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference), models.NPUResource) + ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil } diff --git a/services/cloudbrain/cloudbrainTask/count.go b/services/cloudbrain/cloudbrainTask/count.go new file mode 100644 index 000000000..25d56b0b6 --- /dev/null +++ b/services/cloudbrain/cloudbrainTask/count.go @@ -0,0 +1,86 @@ +package cloudbrainTask + +import ( + "fmt" + "strconv" + + "code.gitea.io/gitea/models" +) + +type StatusInfo struct { + CloudBrainTypes []int + JobType []models.JobType + NotFinalStatuses []string + ComputeResource string +} + +var cloudbrainOneNotFinalStatuses = []string{string(models.JobWaiting), string(models.JobRunning)} +var cloudbrainTwoNotFinalStatuses = []string{string(models.ModelArtsTrainJobInit), string(models.ModelArtsTrainJobImageCreating), string(models.ModelArtsTrainJobSubmitTrying), string(models.ModelArtsTrainJobWaiting), string(models.ModelArtsTrainJobRunning), string(models.ModelArtsTrainJobScaling), string(models.ModelArtsTrainJobCheckInit), string(models.ModelArtsTrainJobCheckRunning), string(models.ModelArtsTrainJobCheckRunningCompleted)} +var grampusTwoNotFinalStatuses = []string{models.GrampusStatusWaiting, models.GrampusStatusRunning} +var StatusInfoDict = map[string]StatusInfo{string(models.JobTypeDebug) + "-" + strconv.Itoa(models.TypeCloudBrainOne): { + CloudBrainTypes: []int{models.TypeCloudBrainOne}, + JobType: []models.JobType{models.JobTypeDebug}, + NotFinalStatuses: cloudbrainOneNotFinalStatuses, + ComputeResource: models.GPUResource, +}, string(models.JobTypeTrain) + "-" + strconv.Itoa(models.TypeCloudBrainOne): { + CloudBrainTypes: []int{models.TypeCloudBrainOne}, + JobType: []models.JobType{models.JobTypeTrain}, + NotFinalStatuses: cloudbrainOneNotFinalStatuses, + ComputeResource: models.GPUResource, +}, string(models.JobTypeInference) + "-" + strconv.Itoa(models.TypeCloudBrainOne): { + CloudBrainTypes: []int{models.TypeCloudBrainOne}, + JobType: []models.JobType{models.JobTypeInference}, + NotFinalStatuses: cloudbrainOneNotFinalStatuses, + ComputeResource: models.GPUResource, +}, string(models.JobTypeBenchmark) + "-" + strconv.Itoa(models.TypeCloudBrainOne): { + CloudBrainTypes: []int{models.TypeCloudBrainOne}, + JobType: []models.JobType{models.JobTypeBenchmark, models.JobTypeModelSafety, models.JobTypeBrainScore, models.JobTypeSnn4imagenet}, + NotFinalStatuses: cloudbrainOneNotFinalStatuses, + ComputeResource: models.GPUResource, +}, string(models.JobTypeDebug) + "-" + strconv.Itoa(models.TypeCloudBrainTwo): { + CloudBrainTypes: []int{models.TypeCloudBrainTwo, models.TypeCDCenter}, + JobType: []models.JobType{models.JobTypeDebug}, + NotFinalStatuses: []string{string(models.ModelArtsCreateQueue), string(models.ModelArtsCreating), string(models.ModelArtsStarting), string(models.ModelArtsReadyToStart), string(models.ModelArtsResizing), string(models.ModelArtsStartQueuing), string(models.ModelArtsRunning), string(models.ModelArtsRestarting)}, + ComputeResource: models.NPUResource, +}, string(models.JobTypeTrain) + "-" + strconv.Itoa(models.TypeCloudBrainTwo): { + CloudBrainTypes: []int{models.TypeCloudBrainTwo}, + JobType: []models.JobType{models.JobTypeTrain}, + NotFinalStatuses: cloudbrainTwoNotFinalStatuses, + ComputeResource: models.NPUResource, +}, string(models.JobTypeInference) + "-" + strconv.Itoa(models.TypeCloudBrainTwo): { + CloudBrainTypes: []int{models.TypeCloudBrainTwo}, + JobType: []models.JobType{models.JobTypeTrain}, + NotFinalStatuses: cloudbrainTwoNotFinalStatuses, + ComputeResource: models.NPUResource, +}, string(models.JobTypeTrain) + "-" + strconv.Itoa(models.TypeC2Net) + "-" + models.GPUResource: { + CloudBrainTypes: []int{models.TypeC2Net}, + JobType: []models.JobType{models.JobTypeTrain}, + NotFinalStatuses: grampusTwoNotFinalStatuses, + ComputeResource: models.GPUResource, +}, string(models.JobTypeTrain) + "-" + strconv.Itoa(models.TypeC2Net) + "-" + models.NPUResource: { + CloudBrainTypes: []int{models.TypeC2Net}, + JobType: []models.JobType{models.JobTypeTrain}, + NotFinalStatuses: grampusTwoNotFinalStatuses, + ComputeResource: models.NPUResource, +}} + +func GetNotFinalStatusTaskCount(uid int64, cloudbrainType int, jobType string, computeResource ...string) (int, error) { + jobNewType := jobType + if jobType == string(models.JobTypeSnn4imagenet) || jobType == string(models.JobTypeBrainScore) { + jobNewType = string(models.JobTypeBenchmark) + } + + key := jobNewType + "-" + strconv.Itoa(cloudbrainType) + if len(computeResource) > 0 { + key = key + "-" + computeResource[0] + } + + if statusInfo, ok := StatusInfoDict[key]; ok { + + return models.GetNotFinalStatusTaskCount(uid, statusInfo.NotFinalStatuses, statusInfo.JobType, statusInfo.CloudBrainTypes, statusInfo.ComputeResource) + + } else { + return 0, fmt.Errorf("Can not find the status info.") + } + +} From c634b0e80359e1f01fdd5199da19c32aaa2e842a Mon Sep 17 00:00:00 2001 From: ychao_1983 Date: Fri, 21 Oct 2022 16:18:17 +0800 Subject: [PATCH 038/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- routers/repo/cloudbrain.go | 12 ++++++------ routers/repo/modelarts.go | 18 +++++++++--------- 2 files changed, 15 insertions(+), 15 deletions(-) diff --git a/routers/repo/cloudbrain.go b/routers/repo/cloudbrain.go index f5a43e697..92c95de4e 100755 --- a/routers/repo/cloudbrain.go +++ b/routers/repo/cloudbrain.go @@ -149,7 +149,7 @@ func cloudBrainNewDataPrepare(ctx *context.Context, jobType string) error { defaultMode = "alogrithm" } ctx.Data["benchmarkMode"] = defaultMode - NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType) ctx.Data["NotStopTaskCount"] = NotStopTaskCount if ctx.Cloudbrain != nil { @@ -283,7 +283,7 @@ func cloudBrainCreate(ctx *context.Context, form auth.CreateCloudBrainForm) { return } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) cloudBrainNewDataPrepare(ctx, jobType) @@ -504,7 +504,7 @@ func CloudBrainInferenceJobCreate(ctx *context.Context, form auth.CreateCloudBra return } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) cloudBrainNewDataPrepare(ctx, jobType) @@ -685,7 +685,7 @@ func CloudBrainRestart(ctx *context.Context) { break } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, string(models.JobTypeDebug), models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, string(models.JobTypeDebug)) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) resultCode = "-1" @@ -2394,7 +2394,7 @@ func BenchMarkAlgorithmCreate(ctx *context.Context, form auth.CreateCloudBrainFo return } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) cloudBrainNewDataPrepare(ctx, jobType) @@ -2566,7 +2566,7 @@ func ModelBenchmarkCreate(ctx *context.Context, form auth.CreateCloudBrainForm) return } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType, models.GPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainOne, jobType) if err != nil { log.Error("GetCloudbrainCountByUserID failed:%v", err, ctx.Data["MsgID"]) cloudBrainNewDataPrepare(ctx, jobType) diff --git a/routers/repo/modelarts.go b/routers/repo/modelarts.go index 2a10da264..07c1fcd3e 100755 --- a/routers/repo/modelarts.go +++ b/routers/repo/modelarts.go @@ -146,7 +146,7 @@ func notebookNewDataPrepare(ctx *context.Context) error { waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount - NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug)) ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil @@ -185,7 +185,7 @@ func Notebook2Create(ctx *context.Context, form auth.CreateModelArtsNotebookForm } defer lock.UnLock() - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug)) if err != nil { log.Error("GetCloudbrainNotebookCountByUserID failed:%v", err, ctx.Data["MsgID"]) @@ -411,7 +411,7 @@ func NotebookRestart(ctx *context.Context) { break } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeDebug)) if err != nil { log.Error("GetCloudbrainNotebookCountByUserID failed:%v", err, ctx.Data["MsgID"]) @@ -760,7 +760,7 @@ func trainJobNewDataPrepare(ctx *context.Context) error { ctx.Data["datasetType"] = models.TypeCloudBrainTwo waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount - NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain)) ctx.Data["NotStopTaskCount"] = NotStopTaskCount setMultiNodeIfConfigureMatch(ctx) @@ -930,7 +930,7 @@ func trainJobNewVersionDataPrepare(ctx *context.Context) error { ctx.Data["config_list"] = configList.ParaConfigs waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount - NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain)) ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil @@ -978,7 +978,7 @@ func TrainJobCreate(ctx *context.Context, form auth.CreateModelArtsTrainJobForm) } defer lock.UnLock() - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain)) if err != nil { log.Error("GetCloudbrainTrainJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) @@ -1323,7 +1323,7 @@ func TrainJobCreateVersion(ctx *context.Context, form auth.CreateModelArtsTrainJ return } - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeTrain)) if err != nil { log.Error("GetCloudbrainTrainJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) trainJobNewVersionDataPrepare(ctx) @@ -1974,7 +1974,7 @@ func InferenceJobCreate(ctx *context.Context, form auth.CreateModelArtsInference } defer lock.UnLock() - count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference), models.NPUResource) + count, err := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference)) if err != nil { log.Error("GetCloudbrainInferenceJobCountByUserID failed:%v", err, ctx.Data["MsgID"]) @@ -2377,7 +2377,7 @@ func inferenceJobNewDataPrepare(ctx *context.Context) error { ctx.Data["datasetType"] = models.TypeCloudBrainTwo waitCount := cloudbrain.GetWaitingCloudbrainCount(models.TypeCloudBrainTwo, "") ctx.Data["WaitCount"] = waitCount - NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference), models.NPUResource) + NotStopTaskCount, _ := cloudbrainTask.GetNotFinalStatusTaskCount(ctx.User.ID, models.TypeCloudBrainTwo, string(models.JobTypeInference)) ctx.Data["NotStopTaskCount"] = NotStopTaskCount return nil From 3695fd996c94557a72e78a1f22055e82afbe0955 Mon Sep 17 00:00:00 2001 From: Gitea Date: Fri, 21 Oct 2022 16:40:38 +0800 Subject: [PATCH 039/149] added --- models/ai_model_manage.go | 2 +- routers/repo/ai_model_convert.go | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/models/ai_model_manage.go b/models/ai_model_manage.go index a88da8fe5..d9adda2dc 100644 --- a/models/ai_model_manage.go +++ b/models/ai_model_manage.go @@ -88,7 +88,7 @@ type AiModelQueryOptions struct { } func (a *AiModelConvert) IsGpuTrainTask() bool { - if a.SrcEngine == 0 || a.SrcEngine == 1 { + if a.SrcEngine == 0 || a.SrcEngine == 1 || a.SrcEngine == 4 || a.SrcEngine == 6 { return true } return false diff --git a/routers/repo/ai_model_convert.go b/routers/repo/ai_model_convert.go index bd6a01072..13b02f9d0 100644 --- a/routers/repo/ai_model_convert.go +++ b/routers/repo/ai_model_convert.go @@ -18,7 +18,7 @@ import ( "code.gitea.io/gitea/modules/git" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/modelarts" - "code.gitea.io/gitea/modules/setting" + "code.gitea.io/gitea/modules/set ting" "code.gitea.io/gitea/modules/storage" "code.gitea.io/gitea/modules/timeutil" uuid "github.com/satori/go.uuid" From e1a454d5704835a3a78802eb2b8ffac74eaee892 Mon Sep 17 00:00:00 2001 From: Gitea Date: Fri, 21 Oct 2022 16:43:59 +0800 Subject: [PATCH 040/149] add --- routers/repo/ai_model_convert.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routers/repo/ai_model_convert.go b/routers/repo/ai_model_convert.go index 13b02f9d0..bd6a01072 100644 --- a/routers/repo/ai_model_convert.go +++ b/routers/repo/ai_model_convert.go @@ -18,7 +18,7 @@ import ( "code.gitea.io/gitea/modules/git" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/modelarts" - "code.gitea.io/gitea/modules/set ting" + "code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/modules/storage" "code.gitea.io/gitea/modules/timeutil" uuid "github.com/satori/go.uuid" From dc36c0d3a899e12203bf00d6fa3ce831f017b100 Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 21 Oct 2022 16:53:05 +0800 Subject: [PATCH 041/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 691fe5002..1f4ea1ca3 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -122,7 +122,7 @@ func GetOverviewDuration(ctx *context.Context) { now := time.Now() endTime := now page := 1 - pagesize := 10000 + pagesize := 1000 count := pagesize worker_server_num := 1 cardNum := 1 From 363116b80fa2e12c7eeb51e499568e1d204cd991 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Fri, 21 Oct 2022 16:54:21 +0800 Subject: [PATCH 042/149] fix issue --- templates/org/member/members.tmpl | 80 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 80 insertions(+) create mode 100644 templates/org/member/members.tmpl diff --git a/templates/org/member/members.tmpl b/templates/org/member/members.tmpl new file mode 100644 index 000000000..cd8a691a7 --- /dev/null +++ b/templates/org/member/members.tmpl @@ -0,0 +1,80 @@ +{{template "base/head" .}} +
+ {{template "org/header" .}} +
+ {{template "base/alert" .}} + {{template "org/navber" .}} +
+ +
+ {{ range .Members}} +
+
+ +
+
+ +
{{.FullName}}
+
+
+
+ {{$.i18n.Tr "org.members.membership_visibility"}} +
+
+ {{ $isPublic := index $.MembersIsPublicMember .ID}} + {{if $isPublic}} + {{$.i18n.Tr "org.members.public"}} + {{if or (eq $.SignedUser.ID .ID) $.IsOrganizationOwner}}({{$.i18n.Tr "org.members.public_helper"}}){{end}} + {{else}} + {{$.i18n.Tr "org.members.private"}} + {{if or (eq $.SignedUser.ID .ID) $.IsOrganizationOwner}}({{$.i18n.Tr "org.members.private_helper"}}){{end}} + {{end}} +
+
+
+
+ {{$.i18n.Tr "org.members.member_role"}} +
+
+ {{if index $.MembersIsUserOrgOwner .ID}}{{svg "octicon-shield-lock" 16}} {{$.i18n.Tr "org.members.owner"}}{{else}}{{$.i18n.Tr "org.members.member"}}{{end}} +
+
+
+
+ 2FA +
+
+ + {{if index $.MembersTwoFaStatus .ID}} + {{svg "octicon-check" 16}} + {{else}} + {{svg "octicon-x" 16}} + {{end}} + +
+
+
+
+ {{if eq $.SignedUser.ID .ID}} +
+ {{$.CsrfTokenHtml}} + +
+ {{else if $.IsOrganizationOwner}} +
+ {{$.CsrfTokenHtml}} + +
+ {{end}} +
+
+
+ {{end}} +
+ + {{template "base/paginate" .}} +
+ +
+
+{{template "base/footer" .}} \ No newline at end of file From 2d93c784f3f8e2f583f95c954fc9586ff0c80c22 Mon Sep 17 00:00:00 2001 From: zouap Date: Fri, 21 Oct 2022 16:58:50 +0800 Subject: [PATCH 043/149] =?UTF-8?q?=E8=B0=83=E7=94=A8=E6=A8=A1=E5=9E=8B?= =?UTF-8?q?=E5=AE=89=E5=85=A8=E7=9A=84=E5=9C=B0=E5=9D=80=E6=94=BE=E5=88=B0?= =?UTF-8?q?=E9=85=8D=E7=BD=AE=E6=96=87=E4=BB=B6=E4=B8=AD=E8=BF=9B=E8=A1=8C?= =?UTF-8?q?=E9=85=8D=E7=BD=AE=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- modules/aisafety/resty.go | 5 +++-- modules/setting/setting.go | 5 +++++ 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/modules/aisafety/resty.go b/modules/aisafety/resty.go index be6468529..ce1fa736e 100644 --- a/modules/aisafety/resty.go +++ b/modules/aisafety/resty.go @@ -10,6 +10,7 @@ import ( "strings" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/modules/setting" "github.com/go-resty/resty/v2" ) @@ -71,8 +72,8 @@ func checkSetting() { } func loginCloudbrain() error { - HOST = "http://221.122.70.196:8081/atp-api" - KEY = "1" + HOST = setting.ModelSafetyTest.HOST + KEY = setting.ModelSafetyTest.KEY return nil } diff --git a/modules/setting/setting.go b/modules/setting/setting.go index c6afae05a..6a2520162 100755 --- a/modules/setting/setting.go +++ b/modules/setting/setting.go @@ -718,6 +718,9 @@ var ( GPUBaseDataSetUUID string GPUCombatDataSetName string GPUCombatDataSetUUID string + + HOST string + KEY string }{} ModelApp = struct { @@ -1557,6 +1560,8 @@ func getModelSafetyConfig() { ModelSafetyTest.NPUBaseDataSetUUID = sec.Key("NPUBaseDataSetUUID").MustString("") ModelSafetyTest.NPUCombatDataSetName = sec.Key("NPUCombatDataSetName").MustString("") ModelSafetyTest.NPUCombatDataSetUUID = sec.Key("NPUCombatDataSetUUID").MustString("") + ModelSafetyTest.HOST = sec.Key("HOST").MustString("") + ModelSafetyTest.KEY = sec.Key("KEY").MustString("") } func getModelConvertConfig() { From 98973bf82ea25399c0cea1487c290861a6aabf67 Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 21 Oct 2022 17:00:42 +0800 Subject: [PATCH 044/149] fix-bug --- routers/api/v1/repo/cloudbrain_dashboard.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index c665fe256..935006476 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -121,7 +121,7 @@ func GetOverviewDuration(ctx *context.Context) { now := time.Now() endTime := now page := 1 - pagesize := 10000 + pagesize := 1000 count := pagesize worker_server_num := 1 cardNum := 1 From 5b64d7871097a80c6354d8b936e5a09313d61b84 Mon Sep 17 00:00:00 2001 From: zouap Date: Fri, 21 Oct 2022 17:00:47 +0800 Subject: [PATCH 045/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= =?UTF-8?q?=EF=BC=8C=E5=88=A0=E9=99=A4=E5=A4=9A=E4=BD=99=E7=9A=84=E4=BB=A3?= =?UTF-8?q?=E7=A0=81=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/aisafety.go | 34 ---------------------------------- 1 file changed, 34 deletions(-) diff --git a/routers/repo/aisafety.go b/routers/repo/aisafety.go index 5102a6722..6881b4640 100644 --- a/routers/repo/aisafety.go +++ b/routers/repo/aisafety.go @@ -26,7 +26,6 @@ import ( "code.gitea.io/gitea/modules/util" "code.gitea.io/gitea/services/cloudbrain/resource" "code.gitea.io/gitea/services/reward/point/account" - uuid "github.com/satori/go.uuid" ) const ( @@ -37,39 +36,6 @@ const ( tplModelSafetyTestShow = "repo/modelsafety/show" ) -func CloudBrainAiSafetyCreateTest(ctx *context.Context) { - log.Info("start to create CloudBrainAiSafetyCreate") - uuid := uuid.NewV4() - id := uuid.String() - seriaNoParas := ctx.Query("serialNo") - fileName := ctx.Query("fileName") - - //if jobType == string(models.JobTypeBenchmark) { - req := aisafety.TaskReq{ - UnionId: id, - EvalName: "test1", - EvalContent: "test1", - TLPath: "test1", - Indicators: []string{"ACC", "ASS"}, - CDName: "CIFAR10_1000_FGSM", - BDName: "CIFAR10_1000基础数据集", - } - aisafety.GetAlgorithmList() - if seriaNoParas != "" { - aisafety.GetTaskStatus(seriaNoParas) - } else { - jsonStr, err := getJsonContent("http://192.168.207.34:8065/Test_zap1234/openi_aisafety/raw/branch/master/result/" + fileName) - serialNo, err := aisafety.CreateSafetyTask(req, jsonStr) - if err == nil { - log.Info("serialNo=" + serialNo) - time.Sleep(time.Duration(2) * time.Second) - aisafety.GetTaskStatus(serialNo) - } else { - log.Info("CreateSafetyTask error," + err.Error()) - } - } -} - func GetAiSafetyTaskByJob(job *models.Cloudbrain) { if job == nil { log.Error("GetCloudbrainByJobID failed") From dd0adb089376d98308eb971590788869c9874c3e Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Fri, 21 Oct 2022 17:50:05 +0800 Subject: [PATCH 046/149] #2924 add migrate submit api --- models/repo.go | 1 + modules/convert/convert.go | 1 + modules/structs/org.go | 1 + modules/structs/repo.go | 1 + routers/api/v1/admin/migrate_submit.go | 155 +++++++++++++++++++++++++++++++++ routers/api/v1/api.go | 1 + routers/api/v1/repo/migrate.go | 144 ++++++++++++++++++++++++++++++ routers/response/response_list.go | 6 ++ 8 files changed, 310 insertions(+) create mode 100644 routers/api/v1/admin/migrate_submit.go diff --git a/models/repo.go b/models/repo.go index 2c4fda39b..6009c776f 100755 --- a/models/repo.go +++ b/models/repo.go @@ -454,6 +454,7 @@ func (repo *Repository) innerAPIFormat(e Engine, mode AccessMode, isParent bool) AllowRebaseMerge: allowRebaseMerge, AllowSquash: allowSquash, AvatarURL: repo.avatarLink(e), + Status: int(repo.Status), } } diff --git a/modules/convert/convert.go b/modules/convert/convert.go index a542fe78b..9eb2c519d 100755 --- a/modules/convert/convert.go +++ b/modules/convert/convert.go @@ -311,6 +311,7 @@ func ToOrganization(org *models.User) *api.Organization { Location: org.Location, Visibility: org.Visibility.String(), RepoAdminChangeTeamAccess: org.RepoAdminChangeTeamAccess, + NumRepos: org.NumRepos, } } diff --git a/modules/structs/org.go b/modules/structs/org.go index 4b79a4e70..191843f87 100644 --- a/modules/structs/org.go +++ b/modules/structs/org.go @@ -15,6 +15,7 @@ type Organization struct { Location string `json:"location"` Visibility string `json:"visibility"` RepoAdminChangeTeamAccess bool `json:"repo_admin_change_team_access"` + NumRepos int `json:"num_repos"` } // CreateOrgOption options for creating an organization diff --git a/modules/structs/repo.go b/modules/structs/repo.go index 6e9ece4b0..03741d03b 100755 --- a/modules/structs/repo.go +++ b/modules/structs/repo.go @@ -90,6 +90,7 @@ type Repository struct { AllowRebaseMerge bool `json:"allow_rebase_explicit"` AllowSquash bool `json:"allow_squash_merge"` AvatarURL string `json:"avatar_url"` + Status int `json:"status"` } // CreateRepoOption options when creating repository diff --git a/routers/api/v1/admin/migrate_submit.go b/routers/api/v1/admin/migrate_submit.go new file mode 100644 index 000000000..7680de0a0 --- /dev/null +++ b/routers/api/v1/admin/migrate_submit.go @@ -0,0 +1,155 @@ +package admin + +import ( + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/auth" + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/migrations" + "code.gitea.io/gitea/modules/setting" + "code.gitea.io/gitea/modules/structs" + "code.gitea.io/gitea/modules/task" + "code.gitea.io/gitea/modules/util" + "code.gitea.io/gitea/routers/response" + "fmt" + "net/http" + "net/url" + "strings" +) + +func MigrateSubmit(ctx *context.APIContext, form auth.MigrateRepoForm) { + ctxUser, bizErr := checkContextUser(ctx, form.UID) + if bizErr != nil { + ctx.JSON(http.StatusOK, response.ResponseError(bizErr)) + return + } + + remoteAddr, err := form.ParseRemoteAddr(ctx.User) + if err != nil { + if models.IsErrInvalidCloneAddr(err) { + addrErr := err.(models.ErrInvalidCloneAddr) + switch { + case addrErr.IsURLError: + ctx.JSON(http.StatusOK, response.PARAM_ERROR) + case addrErr.IsPermissionDenied: + ctx.JSON(http.StatusOK, response.INSUFFICIENT_PERMISSION) + case addrErr.IsInvalidPath: + ctx.JSON(http.StatusOK, response.PARAM_ERROR) + default: + ctx.JSON(http.StatusOK, response.SYSTEM_ERROR) + } + } else { + ctx.JSON(http.StatusOK, response.SYSTEM_ERROR) + } + return + } + + var gitServiceType = structs.PlainGitService + u, err := url.Parse(form.CloneAddr) + if err == nil && strings.EqualFold(u.Host, "github.com") { + gitServiceType = structs.GithubService + } + + var opts = migrations.MigrateOptions{ + OriginalURL: form.CloneAddr, + GitServiceType: gitServiceType, + CloneAddr: remoteAddr, + RepoName: form.RepoName, + Alias: form.Alias, + Description: form.Description, + Private: form.Private || setting.Repository.ForcePrivate, + Mirror: form.Mirror, + AuthUsername: form.AuthUsername, + AuthPassword: form.AuthPassword, + Wiki: form.Wiki, + Issues: form.Issues, + Milestones: form.Milestones, + Labels: form.Labels, + Comments: true, + PullRequests: form.PullRequests, + Releases: form.Releases, + } + if opts.Mirror { + opts.Issues = false + opts.Milestones = false + opts.Labels = false + opts.Comments = false + opts.PullRequests = false + opts.Releases = false + } + + err = models.CheckCreateRepository(ctx.User, ctxUser, opts.RepoName, opts.Alias) + if err != nil { + handleMigrateError(ctx, ctxUser, remoteAddr, err) + return + } + + err = task.MigrateRepository(ctx.User, ctxUser, opts) + if err == nil { + r := make(map[string]string) + r["OpenIUrl"] = strings.TrimSuffix(setting.AppURL, "/") + "/" + ctxUser.Name + "/" + opts.RepoName + r["OriginUrl"] = form.CloneAddr + ctx.JSON(http.StatusOK, response.SuccessWithData(r)) + return + } + + handleMigrateError(ctx, ctxUser, remoteAddr, err) +} + +func checkContextUser(ctx *context.APIContext, uid int64) (*models.User, *response.BizError) { + if uid == ctx.User.ID || uid == 0 { + return ctx.User, nil + } + + org, err := models.GetUserByID(uid) + if models.IsErrUserNotExist(err) { + return ctx.User, nil + } + + if err != nil { + return nil, response.SYSTEM_ERROR + } + + // Check ownership of organization. + if !org.IsOrganization() { + return nil, nil + } + if !ctx.User.IsAdmin { + canCreate, err := org.CanCreateOrgRepo(ctx.User.ID) + if err != nil { + return nil, response.NewBizError(err) + } else if !canCreate { + return nil, response.INSUFFICIENT_PERMISSION + } + } + return org, nil +} + +func handleMigrateError(ctx *context.APIContext, repoOwner *models.User, remoteAddr string, err error) { + switch { + case models.IsErrRepoAlreadyExist(err): + ctx.JSON(http.StatusOK, response.ServerError("The repository with the same name already exists.")) + case migrations.IsRateLimitError(err): + ctx.JSON(http.StatusOK, response.ServerError("Remote visit addressed rate limitation.")) + case migrations.IsTwoFactorAuthError(err): + ctx.JSON(http.StatusOK, response.ServerError("Remote visit required two factors authentication.")) + case models.IsErrReachLimitOfRepo(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("You have already reached your limit of %d repositories.", repoOwner.MaxCreationLimit()))) + case models.IsErrNameReserved(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The username '%s' is reserved.", err.(models.ErrNameReserved).Name))) + case models.IsErrNameCharsNotAllowed(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The username '%s' contains invalid characters.", err.(models.ErrNameCharsNotAllowed).Name))) + case models.IsErrNamePatternNotAllowed(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The pattern '%s' is not allowed in a username.", err.(models.ErrNamePatternNotAllowed).Pattern))) + default: + err = util.URLSanitizedError(err, remoteAddr) + if strings.Contains(err.Error(), "Authentication failed") || + strings.Contains(err.Error(), "Bad credentials") || + strings.Contains(err.Error(), "could not read Username") { + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("Authentication failed: %v.", err))) + } else if strings.Contains(err.Error(), "fatal:") { + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("Migration failed: %v.", err))) + } else { + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + } + } +} diff --git a/routers/api/v1/api.go b/routers/api/v1/api.go index 8e1d725ed..4160c2430 100755 --- a/routers/api/v1/api.go +++ b/routers/api/v1/api.go @@ -702,6 +702,7 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/issues/search", repo.SearchIssues) m.Post("/migrate", reqToken(), bind(auth.MigrateRepoForm{}), repo.Migrate) + m.Post("/migrate/submit", reqToken(), bind(auth.MigrateRepoForm{}), repo.MigrateSubmit) m.Group("/:username/:reponame", func() { m.Combo("").Get(reqAnyRepoReader(), repo.Get). diff --git a/routers/api/v1/repo/migrate.go b/routers/api/v1/repo/migrate.go index fd0db7814..ed6ca69e2 100644 --- a/routers/api/v1/repo/migrate.go +++ b/routers/api/v1/repo/migrate.go @@ -6,6 +6,8 @@ package repo import ( "bytes" + "code.gitea.io/gitea/modules/task" + "code.gitea.io/gitea/routers/response" "errors" "fmt" "net/http" @@ -216,3 +218,145 @@ func handleMigrateError(ctx *context.APIContext, repoOwner *models.User, remoteA } } } + +func MigrateSubmit(ctx *context.APIContext, form auth.MigrateRepoForm) { + ctxUser, bizErr := checkContextUser(ctx, form.UID) + if bizErr != nil { + ctx.JSON(http.StatusOK, response.ResponseError(bizErr)) + return + } + + remoteAddr, err := form.ParseRemoteAddr(ctx.User) + if err != nil { + if models.IsErrInvalidCloneAddr(err) { + addrErr := err.(models.ErrInvalidCloneAddr) + switch { + case addrErr.IsURLError: + ctx.JSON(http.StatusOK, response.PARAM_ERROR) + case addrErr.IsPermissionDenied: + ctx.JSON(http.StatusOK, response.INSUFFICIENT_PERMISSION) + case addrErr.IsInvalidPath: + ctx.JSON(http.StatusOK, response.PARAM_ERROR) + default: + ctx.JSON(http.StatusOK, response.SYSTEM_ERROR) + } + } else { + ctx.JSON(http.StatusOK, response.SYSTEM_ERROR) + } + return + } + + var gitServiceType = api.PlainGitService + u, err := url.Parse(form.CloneAddr) + if err == nil && strings.EqualFold(u.Host, "github.com") { + gitServiceType = api.GithubService + } + + var opts = migrations.MigrateOptions{ + OriginalURL: form.CloneAddr, + GitServiceType: gitServiceType, + CloneAddr: remoteAddr, + RepoName: form.RepoName, + Alias: form.Alias, + Description: form.Description, + Private: form.Private || setting.Repository.ForcePrivate, + Mirror: form.Mirror, + AuthUsername: form.AuthUsername, + AuthPassword: form.AuthPassword, + Wiki: form.Wiki, + Issues: form.Issues, + Milestones: form.Milestones, + Labels: form.Labels, + Comments: true, + PullRequests: form.PullRequests, + Releases: form.Releases, + } + if opts.Mirror { + opts.Issues = false + opts.Milestones = false + opts.Labels = false + opts.Comments = false + opts.PullRequests = false + opts.Releases = false + } + + err = models.CheckCreateRepository(ctx.User, ctxUser, opts.RepoName, opts.Alias) + if err != nil { + handleMigrateError4Api(ctx, ctxUser, remoteAddr, err) + return + } + + err = task.MigrateRepository(ctx.User, ctxUser, opts) + if err == nil { + r := make(map[string]string) + r["OpenIUrl"] = strings.TrimSuffix(setting.AppURL, "/") + "/" + ctxUser.Name + "/" + opts.RepoName + r["OriginUrl"] = form.CloneAddr + ctx.JSON(http.StatusOK, response.SuccessWithData(r)) + return + } + + handleMigrateError4Api(ctx, ctxUser, remoteAddr, err) +} + +func checkContextUser(ctx *context.APIContext, uid int64) (*models.User, *response.BizError) { + if uid == ctx.User.ID || uid == 0 { + return ctx.User, nil + } + + org, err := models.GetUserByID(uid) + if models.IsErrUserNotExist(err) { + return ctx.User, nil + } + + if err != nil { + return nil, response.SYSTEM_ERROR + } + + // Check ownership of organization. + if !org.IsOrganization() { + return nil, nil + } + if !ctx.User.IsAdmin { + canCreate, err := org.CanCreateOrgRepo(ctx.User.ID) + if err != nil { + return nil, response.NewBizError(err) + } else if !canCreate { + return nil, response.INSUFFICIENT_PERMISSION + } + } + return org, nil +} + +func handleMigrateError4Api(ctx *context.APIContext, repoOwner *models.User, remoteAddr string, err error) { + switch { + case models.IsErrRepoAlreadyExist(err): + ctx.JSON(http.StatusOK, response.Error(3, "The repository with the same name already exists.")) + case migrations.IsRateLimitError(err): + ctx.JSON(http.StatusOK, response.ServerError("Remote visit addressed rate limitation.")) + case migrations.IsTwoFactorAuthError(err): + ctx.JSON(http.StatusOK, response.ServerError("Remote visit required two factors authentication.")) + case models.IsErrReachLimitOfRepo(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("You have already reached your limit of %d repositories.", repoOwner.MaxCreationLimit()))) + case models.IsErrNameReserved(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The username '%s' is reserved.", err.(models.ErrNameReserved).Name))) + case models.IsErrNameCharsNotAllowed(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The username '%s' contains invalid characters.", err.(models.ErrNameCharsNotAllowed).Name))) + case models.IsErrNamePatternNotAllowed(err): + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("The pattern '%s' is not allowed in a username.", err.(models.ErrNamePatternNotAllowed).Pattern))) + default: + err = util.URLSanitizedError(err, remoteAddr) + if strings.Contains(err.Error(), "Authentication failed") || + strings.Contains(err.Error(), "Bad credentials") || + strings.Contains(err.Error(), "could not read Username") { + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("Authentication failed: %v.", err))) + } else if strings.Contains(err.Error(), "fatal:") { + ctx.JSON(http.StatusOK, response.ServerError(fmt.Sprintf("Migration failed: %v.", err))) + } else { + ctx.JSON(http.StatusOK, response.ServerError(err.Error())) + } + } +} + +func QueryRepoSatus(ctx *context.APIContext, form auth.MigrateRepoForm) { + +} diff --git a/routers/response/response_list.go b/routers/response/response_list.go index 6514f3edd..138b0e294 100644 --- a/routers/response/response_list.go +++ b/routers/response/response_list.go @@ -1,5 +1,11 @@ package response +//repo response var RESOURCE_QUEUE_NOT_AVAILABLE = &BizError{Code: 1001, Err: "resource queue not available"} var SPECIFICATION_NOT_EXIST = &BizError{Code: 1002, Err: "specification not exist"} var SPECIFICATION_NOT_AVAILABLE = &BizError{Code: 1003, Err: "specification not available"} + +//common response +var SYSTEM_ERROR = &BizError{Code: 9009, Err: "System error.Please try again later"} +var INSUFFICIENT_PERMISSION = &BizError{Code: 9003, Err: "insufficient permissions"} +var PARAM_ERROR = &BizError{Code: 9001, Err: "param error permissions"} From 97b60991194d44421f5de1a90eebe64e7f73c010 Mon Sep 17 00:00:00 2001 From: liuzx Date: Fri, 21 Oct 2022 18:02:51 +0800 Subject: [PATCH 047/149] fix-bug --- models/cloudbrain.go | 4 +- routers/api/v1/repo/cloudbrain_dashboard.go | 87 +++++++++++++---------------- 2 files changed, 40 insertions(+), 51 deletions(-) diff --git a/models/cloudbrain.go b/models/cloudbrain.go index 6135dac40..3f58284fd 100755 --- a/models/cloudbrain.go +++ b/models/cloudbrain.go @@ -2296,9 +2296,9 @@ func CloudbrainAllStatic(opts *CloudbrainsOptions) ([]*CloudbrainInfo, int64, er } sess.Limit(opts.PageSize, start) } - sess.OrderBy("cloudbrain.created_unix DESC") + // sess.OrderBy("cloudbrain.created_unix DESC") cloudbrains := make([]*CloudbrainInfo, 0, setting.UI.IssuePagingNum) - if err := sess.Table(&Cloudbrain{}).Unscoped().Where(cond). + if err := sess.Cols("status", "type", "job_type", "train_job_duration", "duration", "compute_resource", "created_unix", "start_time", "end_time", "work_server_number").Table(&Cloudbrain{}).Unscoped().Where(cond). Find(&cloudbrains); err != nil { return nil, 0, fmt.Errorf("Find: %v", err) } diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 935006476..81c795087 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -120,9 +120,6 @@ func GetOverviewDuration(ctx *context.Context) { recordBeginTime := recordCloudbrain[0].Cloudbrain.CreatedUnix now := time.Now() endTime := now - page := 1 - pagesize := 1000 - count := pagesize worker_server_num := 1 cardNum := 1 durationAllSum := int64(0) @@ -138,54 +135,46 @@ func GetOverviewDuration(ctx *context.Context) { c2NetDuration := int64(0) cDCenterDuration := int64(0) - for count == pagesize && count != 0 { - cloudbrains, _, err := models.CloudbrainAllStatic(&models.CloudbrainsOptions{ - ListOptions: models.ListOptions{ - Page: page, - PageSize: pagesize, - }, - Type: models.TypeCloudBrainAll, - BeginTimeUnix: int64(recordBeginTime), - EndTimeUnix: endTime.Unix(), - }) - if err != nil { - ctx.ServerError("Get cloudbrains failed:", err) - return - } - models.LoadSpecs4CloudbrainInfo(cloudbrains) - - for _, cloudbrain := range cloudbrains { - if cloudbrain.Cloudbrain.WorkServerNumber >= 1 { - worker_server_num = cloudbrain.Cloudbrain.WorkServerNumber - } else { - worker_server_num = 1 - } - if cloudbrain.Cloudbrain.Spec == nil { - cardNum = 1 - } else { - cardNum = cloudbrain.Cloudbrain.Spec.AccCardsNum - } - duration := cloudbrain.Duration - durationSum := cloudbrain.Duration * int64(worker_server_num) * int64(cardNum) - if cloudbrain.Cloudbrain.Type == models.TypeCloudBrainOne { - cloudBrainOneDuration += duration - cloudBrainOneCardDuSum += durationSum - } else if cloudbrain.Cloudbrain.Type == models.TypeCloudBrainTwo { - cloudBrainTwoDuration += duration - cloudBrainTwoCardDuSum += durationSum - } else if cloudbrain.Cloudbrain.Type == models.TypeC2Net { - c2NetDuration += duration - c2NetCardDuSum += durationSum - } else if cloudbrain.Cloudbrain.Type == models.TypeCDCenter { - cDCenterDuration += duration - cDNetCardDuSum += durationSum - } + cloudbrains, _, err := models.CloudbrainAllStatic(&models.CloudbrainsOptions{ + Type: models.TypeCloudBrainAll, + BeginTimeUnix: int64(recordBeginTime), + EndTimeUnix: endTime.Unix(), + }) + if err != nil { + ctx.ServerError("Get cloudbrains failed:", err) + return + } + models.LoadSpecs4CloudbrainInfo(cloudbrains) - durationAllSum += duration - cardDuSum += durationSum - count = len(cloudbrains) - page += 1 + for _, cloudbrain := range cloudbrains { + if cloudbrain.Cloudbrain.WorkServerNumber >= 1 { + worker_server_num = cloudbrain.Cloudbrain.WorkServerNumber + } else { + worker_server_num = 1 } + if cloudbrain.Cloudbrain.Spec == nil { + cardNum = 1 + } else { + cardNum = cloudbrain.Cloudbrain.Spec.AccCardsNum + } + duration := cloudbrain.Duration + durationSum := cloudbrain.Duration * int64(worker_server_num) * int64(cardNum) + if cloudbrain.Cloudbrain.Type == models.TypeCloudBrainOne { + cloudBrainOneDuration += duration + cloudBrainOneCardDuSum += durationSum + } else if cloudbrain.Cloudbrain.Type == models.TypeCloudBrainTwo { + cloudBrainTwoDuration += duration + cloudBrainTwoCardDuSum += durationSum + } else if cloudbrain.Cloudbrain.Type == models.TypeC2Net { + c2NetDuration += duration + c2NetCardDuSum += durationSum + } else if cloudbrain.Cloudbrain.Type == models.TypeCDCenter { + cDCenterDuration += duration + cDNetCardDuSum += durationSum + } + + durationAllSum += duration + cardDuSum += durationSum } ctx.JSON(http.StatusOK, map[string]interface{}{ "cloudBrainOneCardDuSum": cloudBrainOneCardDuSum, From 26a6f883ed55d488119813cebbfc07b784637f67 Mon Sep 17 00:00:00 2001 From: lewis <747342561@qq.com> Date: Fri, 21 Oct 2022 18:03:08 +0800 Subject: [PATCH 048/149] init --- modules/grampus/grampus.go | 19 +- modules/urfs_client/config/constants.go | 93 +++++++ modules/urfs_client/config/dfstore.go | 66 +++++ modules/urfs_client/config/headers.go | 32 +++ modules/urfs_client/dfstore/dfstore.go | 307 +++++++++++++++++++++ modules/urfs_client/objectstorage/objectstorage.go | 47 ++++ modules/urfs_client/urchin/urchinfs.go | 268 ++++++++++++++++++ routers/api/v1/repo/modelarts.go | 1 + routers/repo/cloudbrain.go | 1 + routers/repo/grampus.go | 29 +- 10 files changed, 851 insertions(+), 12 deletions(-) create mode 100755 modules/urfs_client/config/constants.go create mode 100755 modules/urfs_client/config/dfstore.go create mode 100755 modules/urfs_client/config/headers.go create mode 100755 modules/urfs_client/dfstore/dfstore.go create mode 100755 modules/urfs_client/objectstorage/objectstorage.go create mode 100755 modules/urfs_client/urchin/urchinfs.go diff --git a/modules/grampus/grampus.go b/modules/grampus/grampus.go index 7bacb46d3..e56342046 100755 --- a/modules/grampus/grampus.go +++ b/modules/grampus/grampus.go @@ -20,10 +20,14 @@ const ( ProcessorTypeNPU = "npu.huawei.com/NPU" ProcessorTypeGPU = "nvidia.com/gpu" - GpuWorkDir = "/tmp/" - NpuWorkDir = "/cache/" + GpuWorkDir = "/tmp/" + NpuWorkDir = "/cache/" + NpuLocalLogUrl = "/cache/output/train.log" + CommandPrepareScriptNpu = ";mkdir -p output;mkdir -p code;mkdir -p dataset;mkdir -p pretrainmodel;" CodeArchiveName = "master.zip" + + BucketRemote = "grampus" ) var ( @@ -33,7 +37,7 @@ var ( SpecialPools *models.SpecialPools - CommandPrepareScript = ";mkdir -p output;mkdir -p code;mkdir -p dataset;mkdir -p pretrainmodel;echo \"start loading script\";wget -q https://git.openi.org.cn/OpenIOSSG/%s/archive/master.zip;" + + CommandPrepareScriptGpu = ";mkdir -p output;mkdir -p code;mkdir -p dataset;mkdir -p pretrainmodel;echo \"start loading script\";wget -q https://git.openi.org.cn/OpenIOSSG/%s/archive/master.zip;" + "echo \"finish loading script\";unzip -q master.zip;cd %s;chmod 777 downloader_for_obs uploader_for_npu downloader_for_minio uploader_for_gpu;" ) @@ -273,3 +277,12 @@ func InitSpecialPool() { json.Unmarshal([]byte(setting.Grampus.SpecialPools), &SpecialPools) } } + +func GetNpuModelRemoteObsUrl(jobName string) string { + return "s3:///grampus/jobs/" + jobName + "/output/models.zip" +} + +func GetBackNpuModel(jobName string) error { + + return nil +} diff --git a/modules/urfs_client/config/constants.go b/modules/urfs_client/config/constants.go new file mode 100755 index 000000000..76bdc5eab --- /dev/null +++ b/modules/urfs_client/config/constants.go @@ -0,0 +1,93 @@ +/* + * Copyright 2020 The Dragonfly Authors + * + * 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 config + +import ( + "time" +) + +// Reason of backing to source. +const ( + BackSourceReasonNone = 0 + BackSourceReasonRegisterFail = 1 + BackSourceReasonMd5NotMatch = 2 + BackSourceReasonDownloadError = 3 + BackSourceReasonNoSpace = 4 + BackSourceReasonInitError = 5 + BackSourceReasonWriteError = 6 + BackSourceReasonHostSysError = 7 + BackSourceReasonNodeEmpty = 8 + BackSourceReasonSourceError = 10 + BackSourceReasonUserSpecified = 100 + ForceNotBackSourceAddition = 1000 +) + +// Download pattern. +const ( + PatternP2P = "p2p" + PatternSeedPeer = "seed-peer" + PatternSource = "source" +) + +//// Download limit. +//const ( +// DefaultPerPeerDownloadLimit = 20 * unit.MB +// DefaultTotalDownloadLimit = 100 * unit.MB +// DefaultUploadLimit = 100 * unit.MB +// DefaultMinRate = 20 * unit.MB +//) + +// Others. +const ( + DefaultTimestampFormat = "2006-01-02 15:04:05" + SchemaHTTP = "http" + + DefaultTaskExpireTime = 6 * time.Hour + DefaultGCInterval = 1 * time.Minute + DefaultDaemonAliveTime = 5 * time.Minute + DefaultScheduleTimeout = 5 * time.Minute + DefaultDownloadTimeout = 5 * time.Minute + + DefaultSchedulerSchema = "http" + DefaultSchedulerIP = "127.0.0.1" + DefaultSchedulerPort = 8002 + + DefaultPieceChanSize = 16 + DefaultObjectMaxReplicas = 3 +) + +// Dfcache subcommand names. +const ( + CmdStat = "stat" + CmdImport = "import" + CmdExport = "export" + CmdDelete = "delete" +) + +// Service defalut port of listening. +const ( + DefaultEndPort = 65535 + DefaultPeerStartPort = 65000 + DefaultUploadStartPort = 65002 + DefaultObjectStorageStartPort = 65004 + DefaultHealthyStartPort = 40901 +) + +var ( + // DefaultCertValidityPeriod is default validity period of certificate. + DefaultCertValidityPeriod = 180 * 24 * time.Hour +) diff --git a/modules/urfs_client/config/dfstore.go b/modules/urfs_client/config/dfstore.go new file mode 100755 index 000000000..aafb1b33c --- /dev/null +++ b/modules/urfs_client/config/dfstore.go @@ -0,0 +1,66 @@ +/* + * Copyright 2022 The Dragonfly Authors + * + * 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 config + +import ( + "errors" + "fmt" + "net/url" +) + +type DfstoreConfig struct { + // Address of the object storage service. + Endpoint string `yaml:"endpoint,omitempty" mapstructure:"endpoint,omitempty"` + + // Filter is used to generate a unique Task ID by + // filtering unnecessary query params in the URL, + // it is separated by & character. + Filter string `yaml:"filter,omitempty" mapstructure:"filter,omitempty"` + + // Mode is the mode in which the backend is written, + // including WriteBack and AsyncWriteBack. + Mode int `yaml:"mode,omitempty" mapstructure:"mode,omitempty"` + + // MaxReplicas is the maximum number of + // replicas of an object cache in seed peers. + MaxReplicas int `yaml:"maxReplicas,omitempty" mapstructure:"mode,maxReplicas"` +} + +// New dfstore configuration. +func NewDfstore() *DfstoreConfig { + url := url.URL{ + Scheme: "http", + Host: fmt.Sprintf("%s:%d", "127.0.0.1", DefaultObjectStorageStartPort), + } + + return &DfstoreConfig{ + Endpoint: url.String(), + MaxReplicas: DefaultObjectMaxReplicas, + } +} + +func (cfg *DfstoreConfig) Validate() error { + if cfg.Endpoint == "" { + return errors.New("dfstore requires parameter endpoint") + } + + if _, err := url.ParseRequestURI(cfg.Endpoint); err != nil { + return fmt.Errorf("invalid endpoint: %w", err) + } + + return nil +} diff --git a/modules/urfs_client/config/headers.go b/modules/urfs_client/config/headers.go new file mode 100755 index 000000000..9a27296d3 --- /dev/null +++ b/modules/urfs_client/config/headers.go @@ -0,0 +1,32 @@ +/* + * Copyright 2020 The Dragonfly Authors + * + * 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 config + +const ( + HeaderDragonflyFilter = "X-Dragonfly-Filter" + HeaderDragonflyPeer = "X-Dragonfly-Peer" + HeaderDragonflyTask = "X-Dragonfly-Task" + HeaderDragonflyRange = "X-Dragonfly-Range" + // HeaderDragonflyTag different HeaderDragonflyTag for the same url will be divided into different P2P overlay + HeaderDragonflyTag = "X-Dragonfly-Tag" + // HeaderDragonflyApplication is used for statistics and traffic control + HeaderDragonflyApplication = "X-Dragonfly-Application" + // HeaderDragonflyRegistry is used for dynamic registry mirrors. + HeaderDragonflyRegistry = "X-Dragonfly-Registry" + // HeaderDragonflyObjectMetaDigest is used for digest of object storage. + HeaderDragonflyObjectMetaDigest = "X-Dragonfly-Object-Meta-Digest" +) diff --git a/modules/urfs_client/dfstore/dfstore.go b/modules/urfs_client/dfstore/dfstore.go new file mode 100755 index 000000000..2901b0abc --- /dev/null +++ b/modules/urfs_client/dfstore/dfstore.go @@ -0,0 +1,307 @@ +package dfstore + +import ( + "context" + "errors" + "fmt" + "github.com/go-http-utils/headers" + "io" + "net/http" + "net/url" + "path" + "strconv" + + "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/config" + pkgobjectstorage "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/objectstorage" +) + +// Dfstore is the interface used for object storage. +type Dfstore interface { + + // GetUrfsMetadataRequestWithContext returns *http.Request of getting Urfs metadata. + GetUrfsMetadataRequestWithContext(ctx context.Context, input *GetUrfsMetadataInput) (*http.Request, error) + + // GetUrfsMetadataWithContext returns matedata of Urfs. + GetUrfsMetadataWithContext(ctx context.Context, input *GetUrfsMetadataInput) (*pkgobjectstorage.ObjectMetadata, error) + + // GetUrfsRequestWithContext returns *http.Request of getting Urfs. + GetUrfsRequestWithContext(ctx context.Context, input *GetUrfsInput) (*http.Request, error) + + // GetUrfsWithContext returns data of Urfs. + GetUrfsWithContext(ctx context.Context, input *GetUrfsInput) (io.ReadCloser, error) + + // GetUrfsStatusRequestWithContext returns *http.Request of getting Urfs status. + GetUrfsStatusRequestWithContext(ctx context.Context, input *GetUrfsInput) (*http.Request, error) + + // GetUrfsStatusWithContext returns schedule status of Urfs. + GetUrfsStatusWithContext(ctx context.Context, input *GetUrfsInput) (io.ReadCloser, error) +} + +// dfstore provides object storage function. +type dfstore struct { + endpoint string + httpClient *http.Client +} + +// Option is a functional option for configuring the dfstore. +type Option func(dfs *dfstore) + +// New dfstore instance. +func New(endpoint string, options ...Option) Dfstore { + dfs := &dfstore{ + endpoint: endpoint, + httpClient: http.DefaultClient, + } + + for _, opt := range options { + opt(dfs) + } + + return dfs +} + +// GetUrfsMetadataInput is used to construct request of getting object metadata. +type GetUrfsMetadataInput struct { + + // Endpoint is endpoint name. + Endpoint string + + // BucketName is bucket name. + BucketName string + + // ObjectKey is object key. + ObjectKey string + + // DstPeer is target peerHost. + DstPeer string +} + +// Validate validates GetUrfsMetadataInput fields. +func (i *GetUrfsMetadataInput) Validate() error { + + if i.Endpoint == "" { + return errors.New("invalid Endpoint") + + } + + if i.BucketName == "" { + return errors.New("invalid BucketName") + + } + + if i.ObjectKey == "" { + return errors.New("invalid ObjectKey") + } + + return nil +} + +// GetObjectMetadataRequestWithContext returns *http.Request of getting object metadata. +func (dfs *dfstore) GetUrfsMetadataRequestWithContext(ctx context.Context, input *GetUrfsMetadataInput) (*http.Request, error) { + if err := input.Validate(); err != nil { + return nil, err + } + + dstUrl := url.URL{ + Scheme: "http", + Host: fmt.Sprintf("%s:%d", input.DstPeer, config.DefaultObjectStorageStartPort), + } + + u, err := url.Parse(dstUrl.String()) + if err != nil { + return nil, err + } + + u.Path = path.Join("buckets", input.BucketName+"."+input.Endpoint, "objects", input.ObjectKey) + req, err := http.NewRequestWithContext(ctx, http.MethodHead, u.String(), nil) + if err != nil { + return nil, err + } + + return req, nil +} + +// GetObjectMetadataWithContext returns metadata of object. +func (dfs *dfstore) GetUrfsMetadataWithContext(ctx context.Context, input *GetUrfsMetadataInput) (*pkgobjectstorage.ObjectMetadata, error) { + req, err := dfs.GetUrfsMetadataRequestWithContext(ctx, input) + if err != nil { + return nil, err + } + + resp, err := dfs.httpClient.Do(req) + if err != nil { + return nil, err + } + defer resp.Body.Close() + + if resp.StatusCode/100 != 2 { + return nil, fmt.Errorf("bad response status %s", resp.Status) + } + + contentLength, err := strconv.ParseInt(resp.Header.Get(headers.ContentLength), 10, 64) + if err != nil { + return nil, err + } + + return &pkgobjectstorage.ObjectMetadata{ + ContentDisposition: resp.Header.Get(headers.ContentDisposition), + ContentEncoding: resp.Header.Get(headers.ContentEncoding), + ContentLanguage: resp.Header.Get(headers.ContentLanguage), + ContentLength: int64(contentLength), + ContentType: resp.Header.Get(headers.ContentType), + ETag: resp.Header.Get(headers.ContentType), + Digest: resp.Header.Get(config.HeaderDragonflyObjectMetaDigest), + }, nil +} + +// GetUrfsInput is used to construct request of getting object. +type GetUrfsInput struct { + + // Endpoint is endpoint name. + Endpoint string + + // BucketName is bucket name. + BucketName string + + // ObjectKey is object key. + ObjectKey string + + // Filter is used to generate a unique Task ID by + // filtering unnecessary query params in the URL, + // it is separated by & character. + Filter string + + // Range is the HTTP range header. + Range string + + // DstPeer is target peerHost. + DstPeer string +} + +// GetObjectWithContext returns data of object. +func (dfs *dfstore) GetUrfsWithContext(ctx context.Context, input *GetUrfsInput) (io.ReadCloser, error) { + req, err := dfs.GetUrfsRequestWithContext(ctx, input) + if err != nil { + return nil, err + } + + resp, err := dfs.httpClient.Do(req) + if err != nil { + return nil, err + } + + if resp.StatusCode/100 != 2 { + return nil, fmt.Errorf("bad response status %s", resp.Status) + } + + return resp.Body, nil +} + +// GetObjectRequestWithContext returns *http.Request of getting object. +func (dfs *dfstore) GetUrfsRequestWithContext(ctx context.Context, input *GetUrfsInput) (*http.Request, error) { + if err := input.Validate(); err != nil { + return nil, err + } + + dstUrl := url.URL{ + Scheme: "http", + Host: fmt.Sprintf("%s:%d", input.DstPeer, config.DefaultObjectStorageStartPort), + } + + u, err := url.Parse(dstUrl.String()) + if err != nil { + return nil, err + } + + u.Path = path.Join("buckets", input.BucketName+"."+input.Endpoint, "cache_object", input.ObjectKey) + + query := u.Query() + if input.Filter != "" { + query.Set("filter", input.Filter) + } + u.RawQuery = query.Encode() + req, err := http.NewRequestWithContext(ctx, http.MethodPost, u.String(), nil) + if err != nil { + return nil, err + } + + if input.Range != "" { + req.Header.Set(headers.Range, input.Range) + } + + return req, nil +} + +// Validate validates GetUrfsInput fields. +func (i *GetUrfsInput) Validate() error { + + if i.Endpoint == "" { + return errors.New("invalid Endpoint") + + } + + if i.BucketName == "" { + return errors.New("invalid BucketName") + + } + + if i.ObjectKey == "" { + return errors.New("invalid ObjectKey") + } + + return nil +} + +// GetUrfsStatusWithContext returns schedule task status. +func (dfs *dfstore) GetUrfsStatusWithContext(ctx context.Context, input *GetUrfsInput) (io.ReadCloser, error) { + req, err := dfs.GetUrfsStatusRequestWithContext(ctx, input) + if err != nil { + return nil, err + } + + resp, err := dfs.httpClient.Do(req) + if err != nil { + return nil, err + } + + if resp.StatusCode/100 != 2 { + return nil, fmt.Errorf("bad response status %s", resp.Status) + } + + return resp.Body, nil +} + +// GetObjectStatusRequestWithContext returns *http.Request of check schedule task status. +func (dfs *dfstore) GetUrfsStatusRequestWithContext(ctx context.Context, input *GetUrfsInput) (*http.Request, error) { + if err := input.Validate(); err != nil { + return nil, err + } + + dstUrl := url.URL{ + Scheme: "http", + Host: fmt.Sprintf("%s:%d", input.DstPeer, config.DefaultObjectStorageStartPort), + } + + u, err := url.Parse(dstUrl.String()) + if err != nil { + return nil, err + } + + u.Path = path.Join("buckets", input.BucketName+"."+input.Endpoint, "check_object", input.ObjectKey) + + query := u.Query() + if input.Filter != "" { + query.Set("filter", input.Filter) + } + u.RawQuery = query.Encode() + req, err := http.NewRequestWithContext(ctx, http.MethodGet, u.String(), nil) + if err != nil { + return nil, err + } + + if input.Range != "" { + req.Header.Set(headers.Range, input.Range) + } + + return req, nil +} diff --git a/modules/urfs_client/objectstorage/objectstorage.go b/modules/urfs_client/objectstorage/objectstorage.go new file mode 100755 index 000000000..e81356760 --- /dev/null +++ b/modules/urfs_client/objectstorage/objectstorage.go @@ -0,0 +1,47 @@ +/* + * Copyright 2022 The Dragonfly Authors + * + * 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. + */ + +//go:generate mockgen -destination mocks/objectstorage_mock.go -source objectstorage.go -package mocks + +package objectstorage + +type ObjectMetadata struct { + // Key is object key. + Key string + + // ContentDisposition is Content-Disposition header. + ContentDisposition string + + // ContentEncoding is Content-Encoding header. + ContentEncoding string + + // ContentLanguage is Content-Language header. + ContentLanguage string + + // ContentLanguage is Content-Length header. + ContentLength int64 + + // ContentType is Content-Type header. + ContentType string + + // ETag is ETag header. + ETag string + + // Digest is object digest. + Digest string +} + + diff --git a/modules/urfs_client/urchin/urchinfs.go b/modules/urfs_client/urchin/urchinfs.go new file mode 100755 index 000000000..8c59108b3 --- /dev/null +++ b/modules/urfs_client/urchin/urchinfs.go @@ -0,0 +1,268 @@ +package urchin + +import ( + "context" + "encoding/json" + "errors" + "fmt" + "io/ioutil" + "net/url" + "strconv" + "strings" + + "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/config" + urfs "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/dfstore" +) + +type Urchinfs interface { + + // schedule source dataset to target peer + ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerResult, error) + + // check schedule data to peer task status + CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (*PeerResult, error) + + ScheduleDataToPeerByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) + + CheckScheduleTaskStatusByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) +} + +type urchinfs struct { + // Initialize default urfs config. + cfg *config.DfstoreConfig +} + +// New urchinfs instance. +func New() Urchinfs { + + urfs := &urchinfs{ + cfg: config.NewDfstore(), + } + return urfs +} + +const ( + // UrfsScheme if the scheme of object storage. + UrfsScheme = "urfs" +) + +func (urfs *urchinfs) ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerResult, error) { + ctx, cancel := context.WithCancel(context.Background()) + defer cancel() + + if err := urfs.cfg.Validate(); err != nil { + return nil, err + } + + if err := validateSchedulelArgs(sourceUrl, destPeerHost); err != nil { + return nil, err + } + + // Copy object storage to local file. + endpoint, bucketName, objectKey, err := parseUrfsURL(sourceUrl) + if err != nil { + return nil, err + } + peerResult, err := processScheduleDataToPeer(ctx, urfs.cfg, endpoint, bucketName, objectKey, destPeerHost) + if err != nil { + return nil, err + } + + return peerResult, err +} + +func (urfs *urchinfs) ScheduleDataToPeerByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) { + ctx, cancel := context.WithCancel(context.Background()) + defer cancel() + + peerResult, err := processScheduleDataToPeer(ctx, urfs.cfg, endpoint, bucketName, objectKey, destPeerHost) + if err != nil { + return nil, err + } + + return peerResult, err +} + +func (urfs *urchinfs) CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (*PeerResult, error) { + ctx, cancel := context.WithCancel(context.Background()) + defer cancel() + + if err := urfs.cfg.Validate(); err != nil { + return nil, err + } + + if err := validateSchedulelArgs(sourceUrl, destPeerHost); err != nil { + return nil, err + } + + // Copy object storage to local file. + endpoint, bucketName, objectKey, err := parseUrfsURL(sourceUrl) + if err != nil { + return nil, err + } + peerResult, err := processCheckScheduleTaskStatus(ctx, urfs.cfg, endpoint, bucketName, objectKey, destPeerHost) + if err != nil { + return nil, err + } + + return peerResult, err +} + +func (urfs *urchinfs) CheckScheduleTaskStatusByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) { + ctx, cancel := context.WithCancel(context.Background()) + defer cancel() + + peerResult, err := processCheckScheduleTaskStatus(ctx, urfs.cfg, endpoint, bucketName, objectKey, destPeerHost) + if err != nil { + return nil, err + } + + return peerResult, err +} + +// isUrfsURL determines whether the raw url is urfs url. +func isUrfsURL(rawURL string) bool { + u, err := url.ParseRequestURI(rawURL) + if err != nil { + return false + } + + if u.Scheme != UrfsScheme || u.Host == "" || u.Path == "" { + return false + } + + return true +} + +// Validate copy arguments. +func validateSchedulelArgs(sourceUrl, destPeer string) error { + if !isUrfsURL(sourceUrl) { + return errors.New("source url should be urfs:// protocol") + } + + return nil +} + +// Parse object storage url. eg: urfs://源数据$endpoint/源数据$bucket/源数据filepath +func parseUrfsURL(rawURL string) (string, string, string, error) { + u, err := url.ParseRequestURI(rawURL) + if err != nil { + return "", "", "", err + } + + if u.Scheme != UrfsScheme { + return "", "", "", fmt.Errorf("invalid scheme, e.g. %s://endpoint/bucket_name/object_key", UrfsScheme) + } + + if u.Host == "" { + return "", "", "", errors.New("empty endpoint name") + } + + if u.Path == "" { + return "", "", "", errors.New("empty object path") + } + + bucket, key, found := strings.Cut(strings.Trim(u.Path, "/"), "/") + if found == false { + return "", "", "", errors.New("invalid bucket and object key " + u.Path) + } + + return u.Host, bucket, key, nil +} + +// Schedule object storage to peer. +func processScheduleDataToPeer(ctx context.Context, cfg *config.DfstoreConfig, endpoint, bucketName, objectKey, dstPeer string) (*PeerResult, error) { + dfs := urfs.New(cfg.Endpoint) + meta, err := dfs.GetUrfsMetadataWithContext(ctx, &urfs.GetUrfsMetadataInput{ + Endpoint: endpoint, + BucketName: bucketName, + ObjectKey: objectKey, + DstPeer: dstPeer, + }) + if err != nil { + return nil, err + } + + reader, err := dfs.GetUrfsWithContext(ctx, &urfs.GetUrfsInput{ + Endpoint: endpoint, + BucketName: bucketName, + ObjectKey: objectKey, + DstPeer: dstPeer, + }) + if err != nil { + return nil, err + } + defer reader.Close() + + body, err := ioutil.ReadAll(reader) + + var peerResult PeerResult + if err == nil { + err = json.Unmarshal((body), &peerResult) + } + peerResult.SignedUrl = strings.ReplaceAll(peerResult.SignedUrl, "\\u0026", "&") + + fileContentLength, err := strconv.ParseInt(peerResult.ContentLength, 10, 64) + if err != nil { + return nil, err + } + if fileContentLength != meta.ContentLength { + return nil, errors.New("content length inconsistent with meta") + } + + return &peerResult, err +} + +// check schedule task status. +func processCheckScheduleTaskStatus(ctx context.Context, cfg *config.DfstoreConfig, endpoint, bucketName, objectKey, dstPeer string) (*PeerResult, error) { + dfs := urfs.New(cfg.Endpoint) + meta, err := dfs.GetUrfsMetadataWithContext(ctx, &urfs.GetUrfsMetadataInput{ + Endpoint: endpoint, + BucketName: bucketName, + ObjectKey: objectKey, + DstPeer: dstPeer, + }) + if err != nil { + return nil, err + } + + reader, err := dfs.GetUrfsStatusWithContext(ctx, &urfs.GetUrfsInput{ + Endpoint: endpoint, + BucketName: bucketName, + ObjectKey: objectKey, + DstPeer: dstPeer, + }) + if err != nil { + return nil, err + } + defer reader.Close() + + body, err := ioutil.ReadAll(reader) + + var peerResult PeerResult + if err == nil { + err = json.Unmarshal((body), &peerResult) + } + peerResult.SignedUrl = strings.ReplaceAll(peerResult.SignedUrl, "\\u0026", "&") + + fileContentLength, err := strconv.ParseInt(peerResult.ContentLength, 10, 64) + if err != nil { + return nil, err + } + if fileContentLength != meta.ContentLength { + return nil, err + } + return &peerResult, err +} + +type PeerResult struct { + ContentType string `json:"Content-Type"` + ContentLength string `json:"Content-Length"` + SignedUrl string + DataRoot string + DataPath string + DataEndpoint string + StatusCode int + StatusMsg string + TaskID string +} diff --git a/routers/api/v1/repo/modelarts.go b/routers/api/v1/repo/modelarts.go index 79e35812e..a6e807f61 100755 --- a/routers/api/v1/repo/modelarts.go +++ b/routers/api/v1/repo/modelarts.go @@ -180,6 +180,7 @@ func GetModelArtsTrainJobVersion(ctx *context.APIContext) { } if oldStatus != job.Status { notification.NotifyChangeCloudbrainStatus(job, oldStatus) + // todo: get model back } err = models.UpdateTrainJobVersion(job) if err != nil { diff --git a/routers/repo/cloudbrain.go b/routers/repo/cloudbrain.go index a2ea7d51b..ff19d5829 100755 --- a/routers/repo/cloudbrain.go +++ b/routers/repo/cloudbrain.go @@ -1939,6 +1939,7 @@ func SyncCloudbrainStatus() { task.CorrectCreateUnix() if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) + // todo: get model back } err = models.UpdateJob(task) if err != nil { diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index c3258adc7..b92f19931 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -1,6 +1,7 @@ package repo import ( + "code.gitea.io/gitea/modules/urfs_client/urchin" "encoding/json" "errors" "fmt" @@ -680,8 +681,7 @@ func grampusTrainJobNpuCreate(ctx *context.Context, form auth.CreateGrampusTrain //prepare command preTrainModelPath := getPreTrainModelPath(form.PreTrainModelUrl, form.CkptName) - modelRemoteObsUrl := "s3:///grampus/jobs/" + jobName + "/output/models.zip" - command, err := generateCommand(repo.Name, grampus.ProcessorTypeNPU, codeObsPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CodePathPrefix+jobName+modelarts.OutputPath, allFileName, preTrainModelPath, form.CkptName, modelRemoteObsUrl) + command, err := generateCommand(repo.Name, grampus.ProcessorTypeNPU, codeObsPath+cloudbrain.DefaultBranchName+".zip", datasetRemotePath, bootFile, params, setting.CodePathPrefix+jobName+modelarts.OutputPath, allFileName, preTrainModelPath, form.CkptName, grampus.GetNpuModelRemoteObsUrl(jobName)) if err != nil { log.Error("Failed to generateCommand: %s (%v)", displayJobName, err, ctx.Data["MsgID"]) grampusTrainJobNewDataPrepare(ctx, grampus.ProcessorTypeNPU) @@ -855,7 +855,7 @@ func GrampusTrainJobShow(ctx *context.Context) { } oldStatus := task.Status task.Status = grampus.TransTrainJobStatus(result.JobInfo.Status) - if task.Status != result.JobInfo.Status || result.JobInfo.Status == models.GrampusStatusRunning { + if task.Status != oldStatus || task.Status == models.GrampusStatusRunning { task.Duration = result.JobInfo.RunSec if task.Duration < 0 { task.Duration = 0 @@ -871,6 +871,15 @@ func GrampusTrainJobShow(ctx *context.Context) { task.CorrectCreateUnix() if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) + if models.IsTrainJobTerminal(task.Status) { + //get model back + urfs := urchin.New() + res, err := urfs.ScheduleDataToPeerByKey(endPoint, grampus.BucketRemote, objectKey, dstPeer) + if err != nil { + log.Error("ScheduleDataToPeer failed:%v", err) + return isExist, dataUrl, err + } + } } err = models.UpdateJob(task) if err != nil { @@ -971,12 +980,15 @@ func GrampusGetLog(ctx *context.Context) { func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bootFile, paramSrc, outputRemotePath, datasetName, pretrainModelPath, pretrainModelFileName, modelRemoteObsUrl string) (string, error) { var command string + //prepare workDir := grampus.NpuWorkDir - if processorType == grampus.ProcessorTypeGPU { + if processorType == grampus.ProcessorTypeNPU { + command += "pwd;cd " + workDir + grampus.CommandPrepareScriptNpu + } else if processorType == grampus.ProcessorTypeGPU { workDir = grampus.GpuWorkDir + command += "pwd;cd " + workDir + fmt.Sprintf(grampus.CommandPrepareScriptGpu, setting.Grampus.SyncScriptProject, setting.Grampus.SyncScriptProject) } - command += "pwd;cd " + workDir + fmt.Sprintf(grampus.CommandPrepareScript, setting.Grampus.SyncScriptProject, setting.Grampus.SyncScriptProject) //download code & dataset if processorType == grampus.ProcessorTypeNPU { //no need to download code & dataset by internet @@ -1025,8 +1037,8 @@ func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bo var commandCode string if processorType == grampus.ProcessorTypeNPU { - paramCode += " --obs_url=" + modelRemoteObsUrl - commandCode = "/bin/bash /home/work/run_train_for_openi.sh /home/work/openi.py /tmp/log/train.log" + paramCode + ";" + paramCode += " --model_url=" + modelRemoteObsUrl + commandCode = "/bin/bash /home/work/run_train_for_openi.sh /home/work/openi.py " + grampus.NpuLocalLogUrl + paramCode + ";" } else if processorType == grampus.ProcessorTypeGPU { if pretrainModelFileName != "" { paramCode += " --ckpt_url" + "=" + workDir + "pretrainmodel/" + pretrainModelFileName @@ -1042,8 +1054,7 @@ func generateCommand(repoName, processorType, codeRemotePath, dataRemotePath, bo //upload models if processorType == grampus.ProcessorTypeNPU { - commandUpload := "cd " + workDir + setting.Grampus.SyncScriptProject + "/;./uploader_for_npu " + setting.Bucket + " " + outputRemotePath + " " + workDir + "output/;" - command += commandUpload + // no need to upload } else if processorType == grampus.ProcessorTypeGPU { commandUpload := "cd " + workDir + setting.Grampus.SyncScriptProject + "/;./uploader_for_gpu " + setting.Grampus.Env + " " + outputRemotePath + " " + workDir + "output/;" command += commandUpload From 4964fe5364d432cf57119e1113f7d9e2c545d355 Mon Sep 17 00:00:00 2001 From: liuzx Date: Mon, 24 Oct 2022 10:27:56 +0800 Subject: [PATCH 049/149] merge --- routers/routes/routes.go | 4 ---- 1 file changed, 4 deletions(-) diff --git a/routers/routes/routes.go b/routers/routes/routes.go index be603785f..899918339 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -20,10 +20,6 @@ import ( "code.gitea.io/gitea/routers/modelapp" - "code.gitea.io/gitea/routers/reward/point" - "code.gitea.io/gitea/routers/task" - "code.gitea.io/gitea/services/reward" - "code.gitea.io/gitea/modules/slideimage" "code.gitea.io/gitea/routers/image" From fc5692e781ce2abea4af8386c968a1ae75038e8e Mon Sep 17 00:00:00 2001 From: liuzx Date: Mon, 24 Oct 2022 11:48:12 +0800 Subject: [PATCH 050/149] update --- models/cloudbrain_static.go | 34 +---------------------------- routers/api/v1/repo/cloudbrain_dashboard.go | 24 +++++++------------- routers/repo/cloudbrain_statistic.go | 2 -- 3 files changed, 9 insertions(+), 51 deletions(-) diff --git a/models/cloudbrain_static.go b/models/cloudbrain_static.go index 3f2dcf94a..3bc6ad296 100644 --- a/models/cloudbrain_static.go +++ b/models/cloudbrain_static.go @@ -38,17 +38,6 @@ type TaskDetail struct { WorkServerNum int64 `json:"WorkServerNum"` Spec *Specification `json:"Spec"` } -type CardTypeAndNum struct { - CardType string `json:"CardType"` - Num int `json:"Num"` - ComputeResource string `json:"computeResource"` -} -type ResourceOverview struct { - Cluster string `json:"cluster"` - AiCenterName string `json:"aiCenterName"` - AiCenterCode string `json:"aiCenterCode"` - CardTypeAndNum []CardTypeAndNum `json:"cardTypeAndNum"` -} type CloudbrainDurationStatistic struct { ID int64 `xorm:"pk autoincr"` @@ -78,7 +67,7 @@ type DurationStatisticOptions struct { type DurationRateStatistic struct { AiCenterTotalDurationStat map[string]int `json:"aiCenterTotalDurationStat"` AiCenterUsageDurationStat map[string]int `json:"aiCenterUsageDurationStat"` - UsageRate map[string]float32 `json:"UsageRate"` + UsageRate map[string]float64 `json:"UsageRate"` } type ResourceDetail struct { QueueCode string @@ -89,15 +78,8 @@ type ResourceDetail struct { AccCardType string CardsTotalNum int IsAutomaticSync bool - // CardTypeAndNum []CardTypeAndNum `json:"cardTypeAndNum"` } -// type DateCloudbrainStatistic struct { -// Date string `json:"date"` -// AiCenterUsageDuration map[string]int `json:"aiCenterUsageDuration"` -// AiCenterTotalDuration map[string]int `json:"aiCenterTotalDuration"` -// AiCenterUsageRate map[string]float64 `json:"aiCenterUsageRate"` -// } type DateUsageStatistic struct { Date string `json:"date"` UsageDuration int `json:"usageDuration"` @@ -347,26 +329,12 @@ func DeleteCloudbrainDurationStatisticHour(date string, hour int, aiCenterCode s func GetCanUseCardInfo() ([]*ResourceQueue, error) { sess := x.NewSession() defer sess.Close() - // var cond = builder.NewCond() - // cond = cond.And( - // builder.And(builder.Eq{"resource_queue.is_automatic_sync": false}), - // ) sess.OrderBy("resource_queue.id ASC") ResourceQueues := make([]*ResourceQueue, 0, 10) if err := sess.Table(&ResourceQueue{}).Find(&ResourceQueues); err != nil { log.Info("find error.") } return ResourceQueues, nil - // Cols("queue_code", "cluster", "ai_center_name", "ai_center_code", "compute_resource", "acc_card_type", "cards_total_num") - // sess := x.NewSession() - // defer sess.Close() - // sess.OrderBy("resource_queue.id ASC limit 1") - // cloudbrains := make([]*CloudbrainInfo, 0) - // if err := sess.Table(&Cloudbrain{}).Unscoped(). - // Find(&cloudbrains); err != nil { - // log.Info("find error.") - // } - // return cloudbrains, nil } func GetCardDurationStatistics(opts *DurationStatisticOptions) ([]*CloudbrainDurationStatistic, error) { diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 0ae516750..0bfd2a825 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1663,10 +1663,10 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain return totalDuration, usageDuration, usageRate } -func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.DurationRateStatistic, models.DurationRateStatistic, float32) { +func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.DurationRateStatistic, models.DurationRateStatistic, float64) { OpenITotalDuration := make(map[string]int) OpenIUsageDuration := make(map[string]int) - OpenIUsageRate := make(map[string]float32) + OpenIUsageRate := make(map[string]float64) C2NetTotalDuration := make(map[string]int) C2NetUsageDuration := make(map[string]int) OpenIDurationRate := models.DurationRateStatistic{} @@ -1717,7 +1717,6 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati return OpenIDurationRate, C2NetDurationRate, 0 } for _, v := range ResourceAiCenterRes { - // if v.AiCenterCode != models.AICenterOfCloudBrainOne && v.AiCenterCode != models.AICenterOfCloudBrainTwo { if cutString(v.AiCenterCode, 4) == cutString(models.AICenterOfCloudBrainOne, 4) { if _, ok := OpenIUsageDuration[v.AiCenterName]; !ok { OpenIUsageDuration[v.AiCenterName] = 0 @@ -1731,36 +1730,33 @@ func getDurationStatistic(beginTime time.Time, endTime time.Time) (models.Durati } } } - totalCanUse := float32(0) - totalUse := float32(0) - totalUsageRate := float32(0) + totalCanUse := float64(0) + totalUse := float64(0) + totalUsageRate := float64(0) for k, v := range OpenITotalDuration { for i, j := range OpenIUsageDuration { if k == i { - OpenIUsageRate[k] = float32(j) / float32(v) + OpenIUsageRate[k] = float64(j) / float64(v) } } } for _, v := range OpenITotalDuration { - totalCanUse += float32(v) + totalCanUse += float64(v) } for _, v := range OpenIUsageRate { - totalUse += float32(v) + totalUse += float64(v) } if totalCanUse == 0 || totalUse == 0 { totalUsageRate = 0 } else { totalUsageRate = totalUse / totalCanUse } - // totalUsageRate = totalUse / totalCanUse - // strconv.FormatFloat(*100, 'f', 4, 64) + "%" OpenIDurationRate.AiCenterTotalDurationStat = OpenITotalDuration OpenIDurationRate.AiCenterUsageDurationStat = OpenIUsageDuration OpenIDurationRate.UsageRate = OpenIUsageRate C2NetDurationRate.AiCenterTotalDurationStat = C2NetTotalDuration C2NetDurationRate.AiCenterUsageDurationStat = C2NetUsageDuration - // C2NetDurationRate.TotalUsageRate = totalUsageRate return OpenIDurationRate, C2NetDurationRate, totalUsageRate } @@ -1846,10 +1842,6 @@ func getHourCloudbrainDuration(beginTime time.Time, endTime time.Time, aiCenterC if _, ok := hourTimeTotalDuration[v]; !ok { hourTimeTotalDuration[v] = 0 } - // if _, ok := hourTimeUsageRate[v]; !ok { - // hourTimeUsageRate[v] = 0 - // } - } for k, v := range hourTimeTotalDuration { diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index da1849096..0cc3fc317 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -42,7 +42,6 @@ func CloudbrainDurationStatisticHour() { log.Info("GetSpecByAiCenterCodeAndType err: %v", err) return } - log.Info("cloudbrain: %s", cloudbrain) if cloudbrain != nil { totalCanUse := false if err := models.DeleteCloudbrainDurationStatisticHour(dayTime, hourTime, centerCode, cardType, totalCanUse); err != nil { @@ -107,7 +106,6 @@ func CloudbrainDurationStatisticHour() { func getcloudBrainCenterCodeAndCardTypeInfo(ciTasks []*models.CloudbrainInfo, beginTime int64, endTime int64) map[string]map[string]int { var WorkServerNumber int var AccCardsNum int - // cloudBrainCardRes := make(map[string]int) cloudBrainAiCenterCodeList := make(map[string]string) cloudBrainCardTypeList := make(map[string]string) cloudBrainCenterCodeAndCardType := make(map[string]map[string]int) From 8808452bb2f8b6879acc9320954d598b254f7a7c Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 24 Oct 2022 12:28:16 +0800 Subject: [PATCH 051/149] fix issue --- templates/resource_desc.tmpl | 267 ++++++++++--------------------------------- 1 file changed, 62 insertions(+), 205 deletions(-) diff --git a/templates/resource_desc.tmpl b/templates/resource_desc.tmpl index e809541ad..30ae3ff14 100644 --- a/templates/resource_desc.tmpl +++ b/templates/resource_desc.tmpl @@ -24,212 +24,69 @@
备注
启智集群GPU调试任务T4 -
    -
  • - 外部公开镜像,如:dockerhub镜像; -
  • -
  • 平台镜像;
  • -
-
能连外网平台可解压数据集 - 数据集存放路径/dataset,模型存放路径/model,代码存放路径/code -
训练任务V100 -
    -
  • 平台镜像;
  • -
-
不能连外网 - 训练脚本存储在/code中,数据集存储在/dataset中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/model中 - 以供后续下载。 - - https://git.openi.org.cn/OpenIO - SSG/MNIST_PytorchExample_GPU - - 启智集群V100不能连外网,只能使用平台的镜像,不可使用外部公开镜像,,否则任务会一直处于waiting - 状态 -
A100 -
    -
  • - 外部公开镜像,如:dockerhub镜像; -
  • -
  • 平台镜像;
  • -
-
能连外网
推理任务V100 -
    -
  • 平台镜像;
  • -
-
不能连外网 - 数据集存储在/dataset中,模型文件存储在/model中,推理输出请存储在/result中 - 以供后续下载。 - - https://git.openi.org.cn/OpenIO - SSG/MNIST_PytorchExample_GPU/src/branch/master/inference.py -
评测任务V100 -
    -
  • 平台镜像;
  • -
-
不能连外网 - 模型评测时,先使用数据集功能上传模型,然后从数据集列表选模型。 -
NPU调试任务Ascend 910 -
    -
  • 平台镜像;
  • -
-
能连外网
训练任务Ascend 910 - 数据集位置存储在环境变量data_url中,预训练模型存放在环境变量ckpt_url中,训练输出路径存储在环境变量train_url中。 - - https://git.openi.org.cn/OpenIOSSG/MNIST_Example -
推理任务Ascend 910 - 数据集位置存储在环境变量data_url中,推理输出路径存储在环境变量result_url中。 - - https://git.openi.org.cn/OpenIOSSG/MNIST_Example -
智算网络GPU训练任务V100 -
    -
  • - 外部公开镜像,如:dockerhub镜像; -
  • -
  • 平台镜像;
  • -
-
能连外网用户自行解压数据 集 - 训练脚本存储在/tmp/code中,数据集存储在/tmp/dataset中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/tmp/output中以供后续下载。 - - https://git.openi.org.cn/OpenIO - SSG/MNIST_PytorchExample_GPU/src/branch/master/train_for_c - A100 2net.py -
A100 -
    -
  • - 外部公开镜像,如:dockerhub镜像; -
  • -
  • 平台镜像;
  • -
-
能连外网
NPU训练任务Ascend 910 -
    -
  • 平台镜像;
  • -
-
能连外网 - 训练脚本存储在/cache/code中,预训练模型存放在环境变量ckpt_url中,训练输出请存储在/cache/output中以供后续下载。 - - https://git.openi.org.cn/OpenIO - SSG/MNIST_Example/src/branch/master/train_for_c2net.py -
{{template "base/footer" .}} + From 409b4be0dc5f653babad9d3dc36e9da54a8e7e0f Mon Sep 17 00:00:00 2001 From: liuzx Date: Mon, 24 Oct 2022 16:25:01 +0800 Subject: [PATCH 052/149] update --- modules/cron/tasks_basic.go | 2 +- routers/api/v1/api.go | 1 + routers/api/v1/repo/cloudbrain_dashboard.go | 13 ++++++------- routers/repo/cloudbrain_statistic.go | 4 ---- 4 files changed, 8 insertions(+), 12 deletions(-) diff --git a/modules/cron/tasks_basic.go b/modules/cron/tasks_basic.go index 958595960..f9661b892 100755 --- a/modules/cron/tasks_basic.go +++ b/modules/cron/tasks_basic.go @@ -270,7 +270,7 @@ func registerHandleCloudbrainDurationStatistic() { RegisterTaskFatal("handle_cloudbrain_duration_statistic", &BaseConfig{ Enabled: true, RunAtStart: false, - Schedule: "55 59 * * * ?", + Schedule: "59 59 * * * ?", }, func(ctx context.Context, _ *models.User, _ Config) error { repo.CloudbrainDurationStatisticHour() return nil diff --git a/routers/api/v1/api.go b/routers/api/v1/api.go index b719db71e..c464f252c 100755 --- a/routers/api/v1/api.go +++ b/routers/api/v1/api.go @@ -603,6 +603,7 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/overview_resource", repo.GetCloudbrainResourceOverview) m.Get("/resource_usage_statistic", repo.GetDurationRateStatistic) m.Get("/resource_usage_rate_detail", repo.GetCloudbrainResourceUsageDetail) + m.Get("/apitest_for_statistic", repo.CloudbrainDurationStatisticForTest) }) }, operationReq) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 0bfd2a825..6da731f5e 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1431,21 +1431,19 @@ func GetCloudbrainResourceOverview(ctx *context.Context) { resourceDetail.QueueCode = resourceQueue.QueueCode resourceDetail.Cluster = resourceQueue.Cluster resourceDetail.AiCenterCode = resourceQueue.AiCenterCode - resourceDetail.AiCenterName = resourceQueue.AiCenterName + resourceDetail.AiCenterName = resourceQueue.AiCenterName + "/" + resourceQueue.AiCenterCode resourceDetail.ComputeResource = resourceQueue.ComputeResource resourceDetail.AccCardType = resourceQueue.AccCardType + "(" + resourceQueue.ComputeResource + ")" resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum resourceDetail.IsAutomaticSync = resourceQueue.IsAutomaticSync OpenIResourceDetail = append(OpenIResourceDetail, resourceDetail) - // } else { - } if resourceQueue.Cluster == models.C2NetCluster { var resourceDetail models.ResourceDetail resourceDetail.QueueCode = resourceQueue.QueueCode resourceDetail.Cluster = resourceQueue.Cluster resourceDetail.AiCenterCode = resourceQueue.AiCenterCode - resourceDetail.AiCenterName = resourceQueue.AiCenterName + resourceDetail.AiCenterName = resourceQueue.AiCenterName + "/" + resourceQueue.AiCenterCode resourceDetail.ComputeResource = resourceQueue.ComputeResource resourceDetail.AccCardType = resourceQueue.AccCardType + "(" + resourceQueue.ComputeResource + ")" resourceDetail.CardsTotalNum = resourceQueue.CardsTotalNum @@ -1553,6 +1551,10 @@ func GetDurationRateStatistic(ctx *context.Context) { } +func CloudbrainDurationStatisticForTest(ctx *context.Context) { + repo.CloudbrainDurationStatisticHour() +} + func getBeginAndEndTime(ctx *context.Context) (time.Time, time.Time) { queryType := ctx.QueryTrim("type") now := time.Now() @@ -1656,9 +1658,6 @@ func getAiCenterUsageDuration(beginTime time.Time, endTime time.Time, cloudbrain } else { usageRate = float64(usageDuration) / float64(totalDuration) } - // if - // usageRate, _ = strconv.ParseFloat(fmt.Sprintf("%.4f", float32(usageDuration)/float32(totalDuration)), 64) - // totalUsageRate = totalUse / totalCanUse return totalDuration, usageDuration, usageRate } diff --git a/routers/repo/cloudbrain_statistic.go b/routers/repo/cloudbrain_statistic.go index 0cc3fc317..703e0635f 100644 --- a/routers/repo/cloudbrain_statistic.go +++ b/routers/repo/cloudbrain_statistic.go @@ -25,15 +25,11 @@ func CloudbrainDurationStatisticHour() { } ciTasks2, err := models.GetCloudbrainCompleteByTime(beginTime, endTime) ciTasks := append(ciTasks1, ciTasks2...) - log.Info("beginTime: %s", beginTime) - log.Info("endTime: %s", endTime) if err != nil { log.Info("GetCloudbrainCompleteByTime err: %v", err) return } models.LoadSpecs4CloudbrainInfo(ciTasks) - log.Info("ciTasks here: %s", ciTasks) - log.Info("count here: %s", len(ciTasks)) cloudBrainCenterCodeAndCardTypeInfo := getcloudBrainCenterCodeAndCardTypeInfo(ciTasks, beginTime, endTime) for centerCode, CardTypeInfo := range cloudBrainCenterCodeAndCardTypeInfo { for cardType, cardDuration := range CardTypeInfo { From ff4873129000f36993fe1a68a4ff8418cdccb0f3 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 24 Oct 2022 16:31:07 +0800 Subject: [PATCH 053/149] fix issue --- templates/repo/modelarts/notebook/new.tmpl | 13 ++----------- 1 file changed, 2 insertions(+), 11 deletions(-) diff --git a/templates/repo/modelarts/notebook/new.tmpl b/templates/repo/modelarts/notebook/new.tmpl index f9c4670a5..0ada241bc 100755 --- a/templates/repo/modelarts/notebook/new.tmpl +++ b/templates/repo/modelarts/notebook/new.tmpl @@ -179,17 +179,7 @@ } } - $('select.dropdown') - .dropdown(); - $(function() { - $("#cloudbrain_job_type").change(function() { - if ($(this).val() == 'BENCHMARK') { - $(".cloudbrain_benchmark").show(); - } else { - $(".cloudbrain_benchmark").hide(); - } - }) - }) + $(document).ready(function(){ $(document).keydown(function(event){ if(event.keyCode==13){ @@ -209,4 +199,5 @@ shared_memory: {{$.i18n.Tr "cloudbrain.shared_memory"}}, }); })(); + console.log("-------------:",{{.NotStopTaskCount}}) From b306e35a31ddb8b45d5aac47c96eac8e30829b91 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 24 Oct 2022 17:38:51 +0800 Subject: [PATCH 054/149] fix issue --- templates/custom/alert_cb.tmpl | 12 ++++++++++++ templates/repo/cloudbrain/new.tmpl | 1 + templates/repo/modelarts/notebook/new.tmpl | 14 +++++++++++++- web_src/js/features/cloudrbanin.js | 3 +++ web_src/less/_form.less | 15 +++++++++++---- 5 files changed, 40 insertions(+), 5 deletions(-) create mode 100644 templates/custom/alert_cb.tmpl diff --git a/templates/custom/alert_cb.tmpl b/templates/custom/alert_cb.tmpl new file mode 100644 index 000000000..1e3ed5873 --- /dev/null +++ b/templates/custom/alert_cb.tmpl @@ -0,0 +1,12 @@ +{{if .NotStopTaskCount}} +
+ +
+ +
+
您已经有 同类任务 正在等待或运行中,请等待任务结束再创建
+
可以在 “个人中心 > 云脑任务” 查看您所有的云脑任务
+
+
+
+{{end}} \ No newline at end of file diff --git a/templates/repo/cloudbrain/new.tmpl b/templates/repo/cloudbrain/new.tmpl index fb7ccbed1..48cadf278 100755 --- a/templates/repo/cloudbrain/new.tmpl +++ b/templates/repo/cloudbrain/new.tmpl @@ -28,6 +28,7 @@ + {{template "custom/alert_cb" .}}
{{.CsrfTokenHtml}} diff --git a/templates/repo/modelarts/notebook/new.tmpl b/templates/repo/modelarts/notebook/new.tmpl index 0ada241bc..4eaaf3cd4 100755 --- a/templates/repo/modelarts/notebook/new.tmpl +++ b/templates/repo/modelarts/notebook/new.tmpl @@ -15,6 +15,8 @@

+ + {{template "custom/alert_cb" .}} {{.CsrfTokenHtml}}

@@ -178,8 +180,18 @@ document.getElementById("mask").style.display = "none" } } + $('select.dropdown') + .dropdown(); - + $(function() { + $("#cloudbrain_job_type").change(function() { + if ($(this).val() == 'BENCHMARK') { + $(".cloudbrain_benchmark").show(); + } else { + $(".cloudbrain_benchmark").hide(); + } + }) + }) $(document).ready(function(){ $(document).keydown(function(event){ if(event.keyCode==13){ diff --git a/web_src/js/features/cloudrbanin.js b/web_src/js/features/cloudrbanin.js index 698523d11..657ca1381 100644 --- a/web_src/js/features/cloudrbanin.js +++ b/web_src/js/features/cloudrbanin.js @@ -575,3 +575,6 @@ function AdaminSearchControll() { } userSearchControll(); AdaminSearchControll(); +$(".message .close").on("click", function () { + $(this).closest(".message").transition("fade"); +}); diff --git a/web_src/less/_form.less b/web_src/less/_form.less index e41c428c8..d481d1cee 100644 --- a/web_src/less/_form.less +++ b/web_src/less/_form.less @@ -1,8 +1,8 @@ .form { .help { color: #999999; - padding-top: .6em; - + padding-top: 0.6em; + display: inline-block; } } @@ -109,7 +109,7 @@ @media screen and (max-height: 575px) { #rc-imageselect, .g-recaptcha { - transform: scale(.77); + transform: scale(0.77); transform-origin: 0 0; } } @@ -141,7 +141,7 @@ } } - input[type=number] { + input[type="number"] { -moz-appearance: textfield; } @@ -157,6 +157,13 @@ &.new.repo, &.new.migrate, &.new.fork { + .ui.message { + @media only screen and (min-width: 768px) { + width: 800px !important; + } + margin: 0 auto; + margin-bottom: 1rem; + } #create-page-form; form { From 9c0acb703172c378526f20f72c6082f9ff734c93 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Mon, 24 Oct 2022 18:15:13 +0800 Subject: [PATCH 055/149] fix issue --- templates/repo/cloudbrain/benchmark/new.tmpl | 1 + templates/repo/cloudbrain/inference/new.tmpl | 1 + templates/repo/cloudbrain/trainjob/new.tmpl | 1 + templates/repo/modelarts/inferencejob/new.tmpl | 1 + templates/repo/modelarts/trainjob/new.tmpl | 1 + 5 files changed, 5 insertions(+) diff --git a/templates/repo/cloudbrain/benchmark/new.tmpl b/templates/repo/cloudbrain/benchmark/new.tmpl index 13665c036..d337db460 100755 --- a/templates/repo/cloudbrain/benchmark/new.tmpl +++ b/templates/repo/cloudbrain/benchmark/new.tmpl @@ -33,6 +33,7 @@ {{template "repo/header" .}}
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.evaluate_job.new_job"}}

diff --git a/templates/repo/cloudbrain/inference/new.tmpl b/templates/repo/cloudbrain/inference/new.tmpl index 630df7a2e..0d5a5005a 100644 --- a/templates/repo/cloudbrain/inference/new.tmpl +++ b/templates/repo/cloudbrain/inference/new.tmpl @@ -41,6 +41,7 @@ {{template "repo/header" .}}
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new_infer"}} diff --git a/templates/repo/cloudbrain/trainjob/new.tmpl b/templates/repo/cloudbrain/trainjob/new.tmpl index 607af5f07..58ec9dd36 100755 --- a/templates/repo/cloudbrain/trainjob/new.tmpl +++ b/templates/repo/cloudbrain/trainjob/new.tmpl @@ -72,6 +72,7 @@
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new"}}

diff --git a/templates/repo/modelarts/inferencejob/new.tmpl b/templates/repo/modelarts/inferencejob/new.tmpl index d2f6a8194..2ffb16c57 100644 --- a/templates/repo/modelarts/inferencejob/new.tmpl +++ b/templates/repo/modelarts/inferencejob/new.tmpl @@ -40,6 +40,7 @@ {{template "repo/header" .}}
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new_infer"}} diff --git a/templates/repo/modelarts/trainjob/new.tmpl b/templates/repo/modelarts/trainjob/new.tmpl index 0e1e8eedb..29d91e633 100755 --- a/templates/repo/modelarts/trainjob/new.tmpl +++ b/templates/repo/modelarts/trainjob/new.tmpl @@ -64,6 +64,7 @@
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new"}}

From e28644e8d90ebb873ccffbcb038b8ae85a92cd58 Mon Sep 17 00:00:00 2001 From: lewis <747342561@qq.com> Date: Mon, 24 Oct 2022 19:04:30 +0800 Subject: [PATCH 056/149] upload model --- go.mod | 12 +- go.sum | 40 +- models/models.go | 1 + models/schedule_record.go | 52 +++ modules/cron/tasks_basic.go | 14 + modules/grampus/grampus.go | 39 +- modules/setting/setting.go | 23 +- modules/urfs_client/dfstore/dfstore.go | 4 +- .../objectstorage/mocks/objectstorage_mock.go | 5 + modules/urfs_client/urchin/schedule.go | 116 ++++++ modules/urfs_client/urchin/urchinfs.go | 24 +- routers/api/v1/repo/modelarts.go | 5 +- routers/repo/cloudbrain.go | 5 +- routers/repo/grampus.go | 8 +- vendor/cloud.google.com/go/LICENSE | 0 .../go/compute/metadata/metadata.go | 0 vendor/cloud.google.com/go/iam/iam.go | 0 .../go/internal/optional/optional.go | 0 .../go/internal/version/update_version.sh | 0 .../go/internal/version/version.go | 0 vendor/cloud.google.com/go/pubsub/README.md | 0 vendor/cloud.google.com/go/pubsub/apiv1/README.md | 0 vendor/cloud.google.com/go/pubsub/apiv1/doc.go | 0 vendor/cloud.google.com/go/pubsub/apiv1/iam.go | 0 .../cloud.google.com/go/pubsub/apiv1/path_funcs.go | 0 .../go/pubsub/apiv1/publisher_client.go | 0 .../go/pubsub/apiv1/subscriber_client.go | 0 vendor/cloud.google.com/go/pubsub/debug.go | 0 vendor/cloud.google.com/go/pubsub/doc.go | 0 .../cloud.google.com/go/pubsub/flow_controller.go | 0 .../pubsub/internal/distribution/distribution.go | 0 vendor/cloud.google.com/go/pubsub/iterator.go | 0 vendor/cloud.google.com/go/pubsub/message.go | 0 vendor/cloud.google.com/go/pubsub/nodebug.go | 0 vendor/cloud.google.com/go/pubsub/pubsub.go | 0 vendor/cloud.google.com/go/pubsub/pullstream.go | 0 vendor/cloud.google.com/go/pubsub/service.go | 0 vendor/cloud.google.com/go/pubsub/snapshot.go | 0 vendor/cloud.google.com/go/pubsub/subscription.go | 0 vendor/cloud.google.com/go/pubsub/topic.go | 0 vendor/cloud.google.com/go/pubsub/trace.go | 0 vendor/gitea.com/jolheiser/gitea-vet/.gitignore | 0 vendor/gitea.com/jolheiser/gitea-vet/LICENSE | 0 vendor/gitea.com/jolheiser/gitea-vet/Makefile | 0 vendor/gitea.com/jolheiser/gitea-vet/README.md | 0 .../jolheiser/gitea-vet/checks/imports.go | 0 .../jolheiser/gitea-vet/checks/license.go | 0 vendor/gitea.com/jolheiser/gitea-vet/go.mod | 0 vendor/gitea.com/jolheiser/gitea-vet/go.sum | 0 vendor/gitea.com/jolheiser/gitea-vet/main.go | 0 vendor/gitea.com/lunny/levelqueue/.drone.yml | 0 vendor/gitea.com/lunny/levelqueue/.gitignore | 0 vendor/gitea.com/lunny/levelqueue/LICENSE | 0 vendor/gitea.com/lunny/levelqueue/README.md | 0 vendor/gitea.com/lunny/levelqueue/error.go | 0 vendor/gitea.com/lunny/levelqueue/go.mod | 0 vendor/gitea.com/lunny/levelqueue/go.sum | 0 vendor/gitea.com/lunny/levelqueue/queue.go | 0 vendor/gitea.com/lunny/levelqueue/set.go | 0 vendor/gitea.com/lunny/levelqueue/uniquequeue.go | 0 vendor/gitea.com/macaron/binding/.drone.yml | 0 vendor/gitea.com/macaron/binding/.gitignore | 0 vendor/gitea.com/macaron/binding/LICENSE | 0 vendor/gitea.com/macaron/binding/README.md | 0 vendor/gitea.com/macaron/binding/binding.go | 0 vendor/gitea.com/macaron/binding/errors.go | 0 vendor/gitea.com/macaron/binding/go.mod | 0 vendor/gitea.com/macaron/binding/go.sum | 0 vendor/gitea.com/macaron/cache/.drone.yml | 0 vendor/gitea.com/macaron/cache/.gitignore | 0 vendor/gitea.com/macaron/cache/LICENSE | 0 vendor/gitea.com/macaron/cache/README.md | 0 vendor/gitea.com/macaron/cache/cache.go | 0 vendor/gitea.com/macaron/cache/file.go | 0 vendor/gitea.com/macaron/cache/go.mod | 0 vendor/gitea.com/macaron/cache/go.sum | 0 .../gitea.com/macaron/cache/memcache/memcache.go | 0 .../macaron/cache/memcache/memcache.goconvey | 0 vendor/gitea.com/macaron/cache/memory.go | 0 vendor/gitea.com/macaron/cache/redis/redis.go | 0 .../gitea.com/macaron/cache/redis/redis.goconvey | 0 vendor/gitea.com/macaron/cache/utils.go | 0 vendor/gitea.com/macaron/captcha/.drone.yml | 0 vendor/gitea.com/macaron/captcha/LICENSE | 0 vendor/gitea.com/macaron/captcha/README.md | 0 vendor/gitea.com/macaron/captcha/captcha.go | 0 vendor/gitea.com/macaron/captcha/go.mod | 0 vendor/gitea.com/macaron/captcha/go.sum | 0 vendor/gitea.com/macaron/captcha/image.go | 0 vendor/gitea.com/macaron/captcha/siprng.go | 0 vendor/gitea.com/macaron/cors/.drone.yml | 0 vendor/gitea.com/macaron/cors/.gitignore | 0 vendor/gitea.com/macaron/cors/LICENSE | 0 vendor/gitea.com/macaron/cors/README.md | 0 vendor/gitea.com/macaron/cors/cors.go | 0 vendor/gitea.com/macaron/cors/go.mod | 0 vendor/gitea.com/macaron/cors/go.sum | 0 vendor/gitea.com/macaron/csrf/.drone.yml | 0 vendor/gitea.com/macaron/csrf/LICENSE | 0 vendor/gitea.com/macaron/csrf/README.md | 0 vendor/gitea.com/macaron/csrf/csrf.go | 0 vendor/gitea.com/macaron/csrf/go.mod | 0 vendor/gitea.com/macaron/csrf/go.sum | 0 vendor/gitea.com/macaron/csrf/xsrf.go | 0 vendor/gitea.com/macaron/gzip/.drone.yml | 0 vendor/gitea.com/macaron/gzip/README.md | 0 vendor/gitea.com/macaron/gzip/go.mod | 0 vendor/gitea.com/macaron/gzip/go.sum | 0 vendor/gitea.com/macaron/gzip/gzip.go | 0 vendor/gitea.com/macaron/i18n/.drone.yml | 0 vendor/gitea.com/macaron/i18n/LICENSE | 0 vendor/gitea.com/macaron/i18n/README.md | 0 vendor/gitea.com/macaron/i18n/go.mod | 0 vendor/gitea.com/macaron/i18n/go.sum | 0 vendor/gitea.com/macaron/i18n/i18n.go | 0 vendor/gitea.com/macaron/inject/.drone.yml | 0 vendor/gitea.com/macaron/inject/LICENSE | 0 vendor/gitea.com/macaron/inject/README.md | 0 vendor/gitea.com/macaron/inject/go.mod | 0 vendor/gitea.com/macaron/inject/go.sum | 0 vendor/gitea.com/macaron/inject/inject.go | 0 vendor/gitea.com/macaron/macaron/.drone.yml | 0 vendor/gitea.com/macaron/macaron/.gitignore | 0 vendor/gitea.com/macaron/macaron/LICENSE | 0 vendor/gitea.com/macaron/macaron/README.md | 0 vendor/gitea.com/macaron/macaron/context.go | 0 vendor/gitea.com/macaron/macaron/go.mod | 0 vendor/gitea.com/macaron/macaron/go.sum | 0 vendor/gitea.com/macaron/macaron/logger.go | 0 vendor/gitea.com/macaron/macaron/macaron.go | 0 vendor/gitea.com/macaron/macaron/macaronlogo.png | Bin vendor/gitea.com/macaron/macaron/recovery.go | 0 vendor/gitea.com/macaron/macaron/render.go | 0 .../gitea.com/macaron/macaron/response_writer.go | 0 vendor/gitea.com/macaron/macaron/return_handler.go | 0 vendor/gitea.com/macaron/macaron/router.go | 0 vendor/gitea.com/macaron/macaron/static.go | 0 vendor/gitea.com/macaron/macaron/tree.go | 0 vendor/gitea.com/macaron/macaron/util_go17.go | 0 vendor/gitea.com/macaron/macaron/util_go18.go | 0 vendor/gitea.com/macaron/session/.drone.yml | 0 vendor/gitea.com/macaron/session/.gitignore | 0 vendor/gitea.com/macaron/session/LICENSE | 0 vendor/gitea.com/macaron/session/README.md | 0 .../macaron/session/couchbase/couchbase.go | 0 vendor/gitea.com/macaron/session/file.go | 0 vendor/gitea.com/macaron/session/flash.go | 0 vendor/gitea.com/macaron/session/go.mod | 0 vendor/gitea.com/macaron/session/go.sum | 0 .../gitea.com/macaron/session/memcache/memcache.go | 0 .../macaron/session/memcache/memcache.goconvey | 0 vendor/gitea.com/macaron/session/memory.go | 0 vendor/gitea.com/macaron/session/mysql/mysql.go | 0 .../gitea.com/macaron/session/mysql/mysql.goconvey | 0 vendor/gitea.com/macaron/session/nodb/nodb.go | 0 .../gitea.com/macaron/session/nodb/nodb.goconvey | 0 .../gitea.com/macaron/session/postgres/postgres.go | 0 .../macaron/session/postgres/postgres.goconvey | 0 vendor/gitea.com/macaron/session/redis/redis.go | 0 .../gitea.com/macaron/session/redis/redis.goconvey | 0 vendor/gitea.com/macaron/session/session.go | 0 vendor/gitea.com/macaron/session/utils.go | 0 vendor/gitea.com/macaron/toolbox/.drone.yml | 0 vendor/gitea.com/macaron/toolbox/.gitignore | 0 vendor/gitea.com/macaron/toolbox/LICENSE | 0 vendor/gitea.com/macaron/toolbox/README.md | 0 vendor/gitea.com/macaron/toolbox/go.mod | 0 vendor/gitea.com/macaron/toolbox/go.sum | 0 vendor/gitea.com/macaron/toolbox/healthcheck.go | 0 vendor/gitea.com/macaron/toolbox/profile.go | 0 vendor/gitea.com/macaron/toolbox/statistic.go | 0 vendor/gitea.com/macaron/toolbox/toolbox.go | 0 .../360EntSecGroup-Skylar/excelize/v2/.gitignore | 0 .../360EntSecGroup-Skylar/excelize/v2/.travis.yml | 0 .../excelize/v2/CODE_OF_CONDUCT.md | 0 .../excelize/v2/CONTRIBUTING.md | 0 .../360EntSecGroup-Skylar/excelize/v2/LICENSE | 0 .../excelize/v2/PULL_REQUEST_TEMPLATE.md | 0 .../360EntSecGroup-Skylar/excelize/v2/README.md | 0 .../360EntSecGroup-Skylar/excelize/v2/README_zh.md | 0 .../360EntSecGroup-Skylar/excelize/v2/SECURITY.md | 0 .../360EntSecGroup-Skylar/excelize/v2/adjust.go | 0 .../360EntSecGroup-Skylar/excelize/v2/calcchain.go | 0 .../360EntSecGroup-Skylar/excelize/v2/cell.go | 0 .../excelize/v2/cellmerged.go | 0 .../360EntSecGroup-Skylar/excelize/v2/chart.go | 0 .../excelize/v2/codelingo.yaml | 0 .../360EntSecGroup-Skylar/excelize/v2/col.go | 0 .../360EntSecGroup-Skylar/excelize/v2/comment.go | 0 .../excelize/v2/datavalidation.go | 0 .../360EntSecGroup-Skylar/excelize/v2/date.go | 0 .../360EntSecGroup-Skylar/excelize/v2/docProps.go | 0 .../360EntSecGroup-Skylar/excelize/v2/errors.go | 0 .../360EntSecGroup-Skylar/excelize/v2/excelize.go | 0 .../360EntSecGroup-Skylar/excelize/v2/excelize.svg | 0 .../360EntSecGroup-Skylar/excelize/v2/file.go | 0 .../360EntSecGroup-Skylar/excelize/v2/go.mod | 0 .../360EntSecGroup-Skylar/excelize/v2/go.sum | 0 .../360EntSecGroup-Skylar/excelize/v2/hsl.go | 0 .../360EntSecGroup-Skylar/excelize/v2/lib.go | 0 .../360EntSecGroup-Skylar/excelize/v2/logo.png | Bin .../360EntSecGroup-Skylar/excelize/v2/picture.go | 0 .../excelize/v2/pivotTable.go | 0 .../360EntSecGroup-Skylar/excelize/v2/rows.go | 0 .../360EntSecGroup-Skylar/excelize/v2/shape.go | 0 .../360EntSecGroup-Skylar/excelize/v2/sheet.go | 0 .../360EntSecGroup-Skylar/excelize/v2/sheetpr.go | 0 .../360EntSecGroup-Skylar/excelize/v2/sheetview.go | 0 .../360EntSecGroup-Skylar/excelize/v2/sparkline.go | 0 .../360EntSecGroup-Skylar/excelize/v2/styles.go | 0 .../360EntSecGroup-Skylar/excelize/v2/table.go | 0 .../360EntSecGroup-Skylar/excelize/v2/templates.go | 0 .../excelize/v2/vmlDrawing.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlApp.go | 0 .../excelize/v2/xmlCalcChain.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlChart.go | 0 .../excelize/v2/xmlComments.go | 0 .../excelize/v2/xmlContentTypes.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlCore.go | 0 .../excelize/v2/xmlDecodeDrawing.go | 0 .../excelize/v2/xmlDrawing.go | 0 .../excelize/v2/xmlPivotCache.go | 0 .../excelize/v2/xmlPivotTable.go | 0 .../excelize/v2/xmlSharedStrings.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlStyles.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlTable.go | 0 .../360EntSecGroup-Skylar/excelize/v2/xmlTheme.go | 0 .../excelize/v2/xmlWorkbook.go | 0 .../excelize/v2/xmlWorksheet.go | 0 vendor/github.com/BurntSushi/toml/.gitignore | 0 vendor/github.com/BurntSushi/toml/.travis.yml | 0 vendor/github.com/BurntSushi/toml/COMPATIBLE | 0 vendor/github.com/BurntSushi/toml/COPYING | 0 vendor/github.com/BurntSushi/toml/Makefile | 0 vendor/github.com/BurntSushi/toml/README.md | 0 vendor/github.com/BurntSushi/toml/decode.go | 0 vendor/github.com/BurntSushi/toml/decode_meta.go | 0 vendor/github.com/BurntSushi/toml/doc.go | 0 vendor/github.com/BurntSushi/toml/encode.go | 0 .../github.com/BurntSushi/toml/encoding_types.go | 0 .../BurntSushi/toml/encoding_types_1.1.go | 0 vendor/github.com/BurntSushi/toml/lex.go | 0 vendor/github.com/BurntSushi/toml/parse.go | 0 vendor/github.com/BurntSushi/toml/session.vim | 0 vendor/github.com/BurntSushi/toml/type_check.go | 0 vendor/github.com/BurntSushi/toml/type_fields.go | 0 .../github.com/PuerkitoBio/goquery/.gitattributes | 0 vendor/github.com/PuerkitoBio/goquery/.gitignore | 0 vendor/github.com/PuerkitoBio/goquery/.travis.yml | 0 vendor/github.com/PuerkitoBio/goquery/LICENSE | 0 vendor/github.com/PuerkitoBio/goquery/README.md | 0 vendor/github.com/PuerkitoBio/goquery/array.go | 0 vendor/github.com/PuerkitoBio/goquery/doc.go | 0 vendor/github.com/PuerkitoBio/goquery/expand.go | 0 vendor/github.com/PuerkitoBio/goquery/filter.go | 0 vendor/github.com/PuerkitoBio/goquery/go.mod | 0 vendor/github.com/PuerkitoBio/goquery/go.sum | 0 vendor/github.com/PuerkitoBio/goquery/iteration.go | 0 .../github.com/PuerkitoBio/goquery/manipulation.go | 0 vendor/github.com/PuerkitoBio/goquery/property.go | 0 vendor/github.com/PuerkitoBio/goquery/query.go | 0 vendor/github.com/PuerkitoBio/goquery/traversal.go | 0 vendor/github.com/PuerkitoBio/goquery/type.go | 0 vendor/github.com/PuerkitoBio/goquery/utilities.go | 0 vendor/github.com/PuerkitoBio/purell/.gitignore | 0 vendor/github.com/PuerkitoBio/purell/.travis.yml | 0 vendor/github.com/PuerkitoBio/purell/LICENSE | 0 vendor/github.com/PuerkitoBio/purell/README.md | 0 vendor/github.com/PuerkitoBio/purell/purell.go | 0 vendor/github.com/PuerkitoBio/urlesc/.travis.yml | 0 vendor/github.com/PuerkitoBio/urlesc/LICENSE | 0 vendor/github.com/PuerkitoBio/urlesc/README.md | 0 vendor/github.com/PuerkitoBio/urlesc/urlesc.go | 0 vendor/github.com/RichardKnop/logging/.gitignore | 0 vendor/github.com/RichardKnop/logging/.travis.yml | 0 vendor/github.com/RichardKnop/logging/LICENSE | 0 vendor/github.com/RichardKnop/logging/Makefile | 0 vendor/github.com/RichardKnop/logging/README.md | 0 .../RichardKnop/logging/coloured_formatter.go | 0 .../RichardKnop/logging/default_formatter.go | 0 .../RichardKnop/logging/formatter_interface.go | 0 vendor/github.com/RichardKnop/logging/go.mod | 0 vendor/github.com/RichardKnop/logging/go.sum | 0 .../RichardKnop/logging/gometalinter.json | 0 vendor/github.com/RichardKnop/logging/interface.go | 0 vendor/github.com/RichardKnop/logging/logger.go | 0 vendor/github.com/RichardKnop/machinery/LICENSE | 0 .../RichardKnop/machinery/v1/backends/amqp/amqp.go | 0 .../machinery/v1/backends/dynamodb/dynamodb.go | 0 .../machinery/v1/backends/eager/eager.go | 0 .../machinery/v1/backends/iface/interfaces.go | 0 .../machinery/v1/backends/memcache/memcache.go | 0 .../machinery/v1/backends/mongo/mongodb.go | 0 .../RichardKnop/machinery/v1/backends/null/null.go | 0 .../machinery/v1/backends/redis/redis.go | 0 .../machinery/v1/backends/result/async_result.go | 0 .../RichardKnop/machinery/v1/brokers/amqp/amqp.go | 0 .../machinery/v1/brokers/eager/eager.go | 0 .../machinery/v1/brokers/errs/errors.go | 0 .../machinery/v1/brokers/gcppubsub/gcp_pubsub.go | 0 .../machinery/v1/brokers/iface/interfaces.go | 0 .../machinery/v1/brokers/redis/redis.go | 0 .../RichardKnop/machinery/v1/brokers/sqs/sqs.go | 0 .../RichardKnop/machinery/v1/common/amqp.go | 0 .../RichardKnop/machinery/v1/common/backend.go | 0 .../RichardKnop/machinery/v1/common/broker.go | 0 .../RichardKnop/machinery/v1/common/redis.go | 0 .../RichardKnop/machinery/v1/config/config.go | 0 .../RichardKnop/machinery/v1/config/env.go | 0 .../RichardKnop/machinery/v1/config/file.go | 0 .../RichardKnop/machinery/v1/config/test.env | 0 .../RichardKnop/machinery/v1/config/testconfig.yml | 0 .../RichardKnop/machinery/v1/factories.go | 0 .../github.com/RichardKnop/machinery/v1/log/log.go | 0 .../github.com/RichardKnop/machinery/v1/package.go | 0 .../RichardKnop/machinery/v1/retry/fibonacci.go | 0 .../RichardKnop/machinery/v1/retry/retry.go | 0 .../github.com/RichardKnop/machinery/v1/server.go | 0 .../RichardKnop/machinery/v1/tasks/errors.go | 0 .../RichardKnop/machinery/v1/tasks/reflect.go | 0 .../RichardKnop/machinery/v1/tasks/result.go | 0 .../RichardKnop/machinery/v1/tasks/signature.go | 0 .../RichardKnop/machinery/v1/tasks/state.go | 0 .../RichardKnop/machinery/v1/tasks/task.go | 0 .../RichardKnop/machinery/v1/tasks/validate.go | 0 .../RichardKnop/machinery/v1/tasks/workflow.go | 0 .../RichardKnop/machinery/v1/tracing/tracing.go | 0 .../github.com/RichardKnop/machinery/v1/worker.go | 0 .../github.com/RichardKnop/redsync/.gitlab-ci.yml | 0 vendor/github.com/RichardKnop/redsync/LICENSE | 0 vendor/github.com/RichardKnop/redsync/README.md | 0 vendor/github.com/RichardKnop/redsync/VERSION | 0 vendor/github.com/RichardKnop/redsync/doc.go | 0 vendor/github.com/RichardKnop/redsync/error.go | 0 vendor/github.com/RichardKnop/redsync/mutex.go | 0 vendor/github.com/RichardKnop/redsync/redis.go | 0 vendor/github.com/RichardKnop/redsync/redsync.go | 0 vendor/github.com/RoaringBitmap/roaring/.drone.yml | 0 vendor/github.com/RoaringBitmap/roaring/.gitignore | 0 .../github.com/RoaringBitmap/roaring/.gitmodules | 0 .../github.com/RoaringBitmap/roaring/.travis.yml | 0 vendor/github.com/RoaringBitmap/roaring/AUTHORS | 0 .../github.com/RoaringBitmap/roaring/CONTRIBUTORS | 0 vendor/github.com/RoaringBitmap/roaring/LICENSE | 0 .../RoaringBitmap/roaring/LICENSE-2.0.txt | 0 vendor/github.com/RoaringBitmap/roaring/Makefile | 0 vendor/github.com/RoaringBitmap/roaring/README.md | 0 .../RoaringBitmap/roaring/arraycontainer.go | 0 .../RoaringBitmap/roaring/arraycontainer_gen.go | 0 .../RoaringBitmap/roaring/bitmapcontainer.go | 0 .../RoaringBitmap/roaring/bitmapcontainer_gen.go | 0 .../github.com/RoaringBitmap/roaring/byte_input.go | 0 vendor/github.com/RoaringBitmap/roaring/clz.go | 0 .../github.com/RoaringBitmap/roaring/clz_compat.go | 0 vendor/github.com/RoaringBitmap/roaring/ctz.go | 0 .../github.com/RoaringBitmap/roaring/ctz_compat.go | 0 .../RoaringBitmap/roaring/fastaggregation.go | 0 vendor/github.com/RoaringBitmap/roaring/go.mod | 0 vendor/github.com/RoaringBitmap/roaring/go.sum | 0 .../RoaringBitmap/roaring/manyiterator.go | 0 .../github.com/RoaringBitmap/roaring/parallel.go | 0 vendor/github.com/RoaringBitmap/roaring/popcnt.go | 0 .../RoaringBitmap/roaring/popcnt_amd64.s | 0 .../github.com/RoaringBitmap/roaring/popcnt_asm.go | 0 .../RoaringBitmap/roaring/popcnt_compat.go | 0 .../RoaringBitmap/roaring/popcnt_generic.go | 0 .../RoaringBitmap/roaring/popcnt_slices.go | 0 .../RoaringBitmap/roaring/priorityqueue.go | 0 vendor/github.com/RoaringBitmap/roaring/roaring.go | 0 .../RoaringBitmap/roaring/roaringarray.go | 0 .../RoaringBitmap/roaring/roaringarray_gen.go | 0 .../RoaringBitmap/roaring/runcontainer.go | 0 .../RoaringBitmap/roaring/runcontainer_gen.go | 0 .../RoaringBitmap/roaring/serialization.go | 0 .../RoaringBitmap/roaring/serialization_generic.go | 0 .../roaring/serialization_littleendian.go | 0 .../RoaringBitmap/roaring/serializationfuzz.go | 0 vendor/github.com/RoaringBitmap/roaring/setutil.go | 0 .../RoaringBitmap/roaring/shortiterator.go | 0 vendor/github.com/RoaringBitmap/roaring/smat.go | 0 vendor/github.com/RoaringBitmap/roaring/util.go | 0 vendor/github.com/alecthomas/chroma/.gitignore | 0 vendor/github.com/alecthomas/chroma/.golangci.yml | 0 .../github.com/alecthomas/chroma/.goreleaser.yml | 0 vendor/github.com/alecthomas/chroma/COPYING | 0 vendor/github.com/alecthomas/chroma/Makefile | 0 vendor/github.com/alecthomas/chroma/README.md | 0 vendor/github.com/alecthomas/chroma/coalesce.go | 0 vendor/github.com/alecthomas/chroma/colour.go | 0 vendor/github.com/alecthomas/chroma/delegate.go | 0 vendor/github.com/alecthomas/chroma/doc.go | 0 vendor/github.com/alecthomas/chroma/formatter.go | 0 .../alecthomas/chroma/formatters/html/html.go | 0 vendor/github.com/alecthomas/chroma/go.mod | 0 vendor/github.com/alecthomas/chroma/go.sum | 0 vendor/github.com/alecthomas/chroma/iterator.go | 0 vendor/github.com/alecthomas/chroma/lexer.go | 0 .../github.com/alecthomas/chroma/lexers/README.md | 0 .../github.com/alecthomas/chroma/lexers/a/abap.go | 0 .../github.com/alecthomas/chroma/lexers/a/abnf.go | 0 .../alecthomas/chroma/lexers/a/actionscript.go | 0 .../alecthomas/chroma/lexers/a/actionscript3.go | 0 .../github.com/alecthomas/chroma/lexers/a/ada.go | 0 vendor/github.com/alecthomas/chroma/lexers/a/al.go | 0 .../alecthomas/chroma/lexers/a/angular2.go | 0 .../github.com/alecthomas/chroma/lexers/a/antlr.go | 0 .../alecthomas/chroma/lexers/a/apache.go | 0 .../github.com/alecthomas/chroma/lexers/a/apl.go | 0 .../alecthomas/chroma/lexers/a/applescript.go | 0 .../alecthomas/chroma/lexers/a/arduino.go | 0 .../alecthomas/chroma/lexers/a/armasm.go | 0 .../github.com/alecthomas/chroma/lexers/a/awk.go | 0 .../alecthomas/chroma/lexers/b/ballerina.go | 0 .../github.com/alecthomas/chroma/lexers/b/bash.go | 0 .../alecthomas/chroma/lexers/b/bashsession.go | 0 .../github.com/alecthomas/chroma/lexers/b/batch.go | 0 .../alecthomas/chroma/lexers/b/bibtex.go | 0 .../github.com/alecthomas/chroma/lexers/b/bicep.go | 0 .../github.com/alecthomas/chroma/lexers/b/blitz.go | 0 .../github.com/alecthomas/chroma/lexers/b/bnf.go | 0 .../alecthomas/chroma/lexers/b/brainfuck.go | 0 vendor/github.com/alecthomas/chroma/lexers/c/c.go | 0 .../alecthomas/chroma/lexers/c/caddyfile.go | 0 .../alecthomas/chroma/lexers/c/capnproto.go | 0 .../alecthomas/chroma/lexers/c/ceylon.go | 0 .../alecthomas/chroma/lexers/c/cfengine3.go | 0 .../alecthomas/chroma/lexers/c/chaiscript.go | 0 .../alecthomas/chroma/lexers/c/cheetah.go | 0 vendor/github.com/alecthomas/chroma/lexers/c/cl.go | 0 .../alecthomas/chroma/lexers/c/clojure.go | 0 .../github.com/alecthomas/chroma/lexers/c/cmake.go | 0 .../github.com/alecthomas/chroma/lexers/c/cobol.go | 0 .../alecthomas/chroma/lexers/c/coffee.go | 0 .../alecthomas/chroma/lexers/c/coldfusion.go | 0 .../github.com/alecthomas/chroma/lexers/c/coq.go | 0 .../github.com/alecthomas/chroma/lexers/c/cpp.go | 0 .../github.com/alecthomas/chroma/lexers/c/cql.go | 0 .../alecthomas/chroma/lexers/c/crystal.go | 0 .../alecthomas/chroma/lexers/c/csharp.go | 0 .../github.com/alecthomas/chroma/lexers/c/css.go | 0 .../alecthomas/chroma/lexers/c/cython.go | 0 .../alecthomas/chroma/lexers/circular/doc.go | 0 .../alecthomas/chroma/lexers/circular/php.go | 0 .../alecthomas/chroma/lexers/circular/phtml.go | 0 vendor/github.com/alecthomas/chroma/lexers/d/d.go | 0 .../github.com/alecthomas/chroma/lexers/d/dart.go | 0 .../github.com/alecthomas/chroma/lexers/d/diff.go | 0 .../alecthomas/chroma/lexers/d/django.go | 0 .../alecthomas/chroma/lexers/d/docker.go | 0 .../github.com/alecthomas/chroma/lexers/d/dtd.go | 0 .../github.com/alecthomas/chroma/lexers/d/dylan.go | 0 .../github.com/alecthomas/chroma/lexers/e/ebnf.go | 0 .../alecthomas/chroma/lexers/e/elixir.go | 0 .../github.com/alecthomas/chroma/lexers/e/elm.go | 0 .../github.com/alecthomas/chroma/lexers/e/emacs.go | 0 .../alecthomas/chroma/lexers/e/erlang.go | 0 .../alecthomas/chroma/lexers/f/factor.go | 0 .../alecthomas/chroma/lexers/f/fennel.go | 0 .../github.com/alecthomas/chroma/lexers/f/fish.go | 0 .../github.com/alecthomas/chroma/lexers/f/forth.go | 0 .../alecthomas/chroma/lexers/f/fortran.go | 0 .../alecthomas/chroma/lexers/f/fortran_fixed.go | 0 .../alecthomas/chroma/lexers/f/fsharp.go | 0 .../github.com/alecthomas/chroma/lexers/g/gas.go | 0 .../alecthomas/chroma/lexers/g/gdscript.go | 0 .../alecthomas/chroma/lexers/g/genshi.go | 0 .../alecthomas/chroma/lexers/g/gherkin.go | 0 .../github.com/alecthomas/chroma/lexers/g/glsl.go | 0 .../alecthomas/chroma/lexers/g/gnuplot.go | 0 vendor/github.com/alecthomas/chroma/lexers/g/go.go | 0 .../alecthomas/chroma/lexers/g/graphql.go | 0 .../github.com/alecthomas/chroma/lexers/g/groff.go | 0 .../alecthomas/chroma/lexers/g/groovy.go | 0 .../alecthomas/chroma/lexers/h/handlebars.go | 0 .../alecthomas/chroma/lexers/h/haskell.go | 0 .../github.com/alecthomas/chroma/lexers/h/haxe.go | 0 .../github.com/alecthomas/chroma/lexers/h/hcl.go | 0 .../alecthomas/chroma/lexers/h/hexdump.go | 0 .../github.com/alecthomas/chroma/lexers/h/hlb.go | 0 .../github.com/alecthomas/chroma/lexers/h/html.go | 0 .../github.com/alecthomas/chroma/lexers/h/http.go | 0 vendor/github.com/alecthomas/chroma/lexers/h/hy.go | 0 .../github.com/alecthomas/chroma/lexers/i/idris.go | 0 .../github.com/alecthomas/chroma/lexers/i/igor.go | 0 .../github.com/alecthomas/chroma/lexers/i/ini.go | 0 vendor/github.com/alecthomas/chroma/lexers/i/io.go | 0 .../alecthomas/chroma/lexers/internal/api.go | 0 vendor/github.com/alecthomas/chroma/lexers/j/j.go | 0 .../github.com/alecthomas/chroma/lexers/j/java.go | 0 .../alecthomas/chroma/lexers/j/javascript.go | 0 .../github.com/alecthomas/chroma/lexers/j/json.go | 0 .../github.com/alecthomas/chroma/lexers/j/jsx.go | 0 .../github.com/alecthomas/chroma/lexers/j/julia.go | 0 .../alecthomas/chroma/lexers/j/jungle.go | 0 .../alecthomas/chroma/lexers/k/kotlin.go | 0 .../alecthomas/chroma/lexers/l/lighttpd.go | 0 .../github.com/alecthomas/chroma/lexers/l/llvm.go | 0 .../github.com/alecthomas/chroma/lexers/l/lua.go | 0 .../github.com/alecthomas/chroma/lexers/lexers.go | 0 .../github.com/alecthomas/chroma/lexers/m/make.go | 0 .../github.com/alecthomas/chroma/lexers/m/mako.go | 0 .../alecthomas/chroma/lexers/m/markdown.go | 0 .../github.com/alecthomas/chroma/lexers/m/mason.go | 0 .../alecthomas/chroma/lexers/m/mathematica.go | 0 .../alecthomas/chroma/lexers/m/matlab.go | 0 .../alecthomas/chroma/lexers/m/mcfunction.go | 0 .../github.com/alecthomas/chroma/lexers/m/meson.go | 0 .../github.com/alecthomas/chroma/lexers/m/metal.go | 0 .../alecthomas/chroma/lexers/m/minizinc.go | 0 .../github.com/alecthomas/chroma/lexers/m/mlir.go | 0 .../alecthomas/chroma/lexers/m/modula2.go | 0 .../alecthomas/chroma/lexers/m/monkeyc.go | 0 .../alecthomas/chroma/lexers/m/mwscript.go | 0 .../alecthomas/chroma/lexers/m/myghty.go | 0 .../github.com/alecthomas/chroma/lexers/m/mysql.go | 0 .../github.com/alecthomas/chroma/lexers/n/nasm.go | 0 .../alecthomas/chroma/lexers/n/newspeak.go | 0 .../github.com/alecthomas/chroma/lexers/n/nginx.go | 0 .../github.com/alecthomas/chroma/lexers/n/nim.go | 0 .../github.com/alecthomas/chroma/lexers/n/nix.go | 0 .../alecthomas/chroma/lexers/o/objectivec.go | 0 .../github.com/alecthomas/chroma/lexers/o/ocaml.go | 0 .../alecthomas/chroma/lexers/o/octave.go | 0 .../alecthomas/chroma/lexers/o/onesenterprise.go | 0 .../alecthomas/chroma/lexers/o/openedgeabl.go | 0 .../alecthomas/chroma/lexers/o/openscad.go | 0 .../github.com/alecthomas/chroma/lexers/o/org.go | 0 .../alecthomas/chroma/lexers/p/pacman.go | 0 .../github.com/alecthomas/chroma/lexers/p/perl.go | 0 .../github.com/alecthomas/chroma/lexers/p/pig.go | 0 .../alecthomas/chroma/lexers/p/pkgconfig.go | 0 .../alecthomas/chroma/lexers/p/plaintext.go | 0 .../github.com/alecthomas/chroma/lexers/p/plsql.go | 0 .../alecthomas/chroma/lexers/p/plutus_core.go | 0 .../github.com/alecthomas/chroma/lexers/p/pony.go | 0 .../alecthomas/chroma/lexers/p/postgres.go | 0 .../alecthomas/chroma/lexers/p/postscript.go | 0 .../alecthomas/chroma/lexers/p/povray.go | 0 .../alecthomas/chroma/lexers/p/powerquery.go | 0 .../alecthomas/chroma/lexers/p/powershell.go | 0 .../alecthomas/chroma/lexers/p/prolog.go | 0 .../alecthomas/chroma/lexers/p/promql.go | 0 .../alecthomas/chroma/lexers/p/protobuf.go | 0 .../alecthomas/chroma/lexers/p/puppet.go | 0 .../alecthomas/chroma/lexers/p/python.go | 0 .../alecthomas/chroma/lexers/p/python2.go | 0 .../alecthomas/chroma/lexers/q/qbasic.go | 0 .../github.com/alecthomas/chroma/lexers/q/qml.go | 0 vendor/github.com/alecthomas/chroma/lexers/r/r.go | 0 .../alecthomas/chroma/lexers/r/racket.go | 0 .../github.com/alecthomas/chroma/lexers/r/ragel.go | 0 .../github.com/alecthomas/chroma/lexers/r/raku.go | 0 .../alecthomas/chroma/lexers/r/reasonml.go | 0 .../alecthomas/chroma/lexers/r/regedit.go | 0 .../github.com/alecthomas/chroma/lexers/r/rexx.go | 0 .../github.com/alecthomas/chroma/lexers/r/rst.go | 0 .../github.com/alecthomas/chroma/lexers/r/ruby.go | 0 .../github.com/alecthomas/chroma/lexers/r/rust.go | 0 .../github.com/alecthomas/chroma/lexers/s/sas.go | 0 .../github.com/alecthomas/chroma/lexers/s/sass.go | 0 .../github.com/alecthomas/chroma/lexers/s/scala.go | 0 .../alecthomas/chroma/lexers/s/scheme.go | 0 .../alecthomas/chroma/lexers/s/scilab.go | 0 .../github.com/alecthomas/chroma/lexers/s/scss.go | 0 .../github.com/alecthomas/chroma/lexers/s/sieve.go | 0 .../alecthomas/chroma/lexers/s/smalltalk.go | 0 .../alecthomas/chroma/lexers/s/smarty.go | 0 .../github.com/alecthomas/chroma/lexers/s/sml.go | 0 .../alecthomas/chroma/lexers/s/snobol.go | 0 .../alecthomas/chroma/lexers/s/solidity.go | 0 .../alecthomas/chroma/lexers/s/sparql.go | 0 .../github.com/alecthomas/chroma/lexers/s/sql.go | 0 .../github.com/alecthomas/chroma/lexers/s/squid.go | 0 .../alecthomas/chroma/lexers/s/stylus.go | 0 .../alecthomas/chroma/lexers/s/svelte.go | 0 .../github.com/alecthomas/chroma/lexers/s/swift.go | 0 .../alecthomas/chroma/lexers/s/systemd.go | 0 .../alecthomas/chroma/lexers/s/systemverilog.go | 0 .../alecthomas/chroma/lexers/t/tablegen.go | 0 .../github.com/alecthomas/chroma/lexers/t/tasm.go | 0 .../github.com/alecthomas/chroma/lexers/t/tcl.go | 0 .../github.com/alecthomas/chroma/lexers/t/tcsh.go | 0 .../alecthomas/chroma/lexers/t/termcap.go | 0 .../alecthomas/chroma/lexers/t/terminfo.go | 0 .../alecthomas/chroma/lexers/t/terraform.go | 0 .../github.com/alecthomas/chroma/lexers/t/tex.go | 0 .../alecthomas/chroma/lexers/t/thrift.go | 0 .../github.com/alecthomas/chroma/lexers/t/toml.go | 0 .../alecthomas/chroma/lexers/t/tradingview.go | 0 .../alecthomas/chroma/lexers/t/transactsql.go | 0 .../alecthomas/chroma/lexers/t/turing.go | 0 .../alecthomas/chroma/lexers/t/turtle.go | 0 .../github.com/alecthomas/chroma/lexers/t/twig.go | 0 .../alecthomas/chroma/lexers/t/typescript.go | 0 .../alecthomas/chroma/lexers/t/typoscript.go | 0 vendor/github.com/alecthomas/chroma/lexers/v/vb.go | 0 .../alecthomas/chroma/lexers/v/verilog.go | 0 .../github.com/alecthomas/chroma/lexers/v/vhdl.go | 0 .../github.com/alecthomas/chroma/lexers/v/vim.go | 0 .../github.com/alecthomas/chroma/lexers/v/vue.go | 0 .../github.com/alecthomas/chroma/lexers/w/wdte.go | 0 .../github.com/alecthomas/chroma/lexers/x/xml.go | 0 .../github.com/alecthomas/chroma/lexers/x/xorg.go | 0 .../github.com/alecthomas/chroma/lexers/y/yaml.go | 0 .../github.com/alecthomas/chroma/lexers/y/yang.go | 0 .../github.com/alecthomas/chroma/lexers/z/zed.go | 0 .../github.com/alecthomas/chroma/lexers/z/zig.go | 0 vendor/github.com/alecthomas/chroma/mutators.go | 0 .../alecthomas/chroma/pygments-lexers.txt | 0 vendor/github.com/alecthomas/chroma/regexp.go | 0 vendor/github.com/alecthomas/chroma/remap.go | 0 vendor/github.com/alecthomas/chroma/style.go | 0 vendor/github.com/alecthomas/chroma/styles/abap.go | 0 .../github.com/alecthomas/chroma/styles/algol.go | 0 .../alecthomas/chroma/styles/algol_nu.go | 0 vendor/github.com/alecthomas/chroma/styles/api.go | 0 .../github.com/alecthomas/chroma/styles/arduino.go | 0 .../github.com/alecthomas/chroma/styles/autumn.go | 0 .../alecthomas/chroma/styles/base16-snazzy.go | 0 .../github.com/alecthomas/chroma/styles/borland.go | 0 vendor/github.com/alecthomas/chroma/styles/bw.go | 0 .../alecthomas/chroma/styles/colorful.go | 0 .../alecthomas/chroma/styles/doom-one.go | 0 .../alecthomas/chroma/styles/doom-one2.go | 0 .../github.com/alecthomas/chroma/styles/dracula.go | 0 .../github.com/alecthomas/chroma/styles/emacs.go | 0 .../alecthomas/chroma/styles/friendly.go | 0 .../github.com/alecthomas/chroma/styles/fruity.go | 0 .../github.com/alecthomas/chroma/styles/github.go | 0 .../github.com/alecthomas/chroma/styles/hr_dark.go | 0 .../alecthomas/chroma/styles/hr_high_contrast.go | 0 vendor/github.com/alecthomas/chroma/styles/igor.go | 0 .../alecthomas/chroma/styles/lovelace.go | 0 .../github.com/alecthomas/chroma/styles/manni.go | 0 .../github.com/alecthomas/chroma/styles/monokai.go | 0 .../alecthomas/chroma/styles/monokailight.go | 0 .../github.com/alecthomas/chroma/styles/murphy.go | 0 .../github.com/alecthomas/chroma/styles/native.go | 0 vendor/github.com/alecthomas/chroma/styles/nord.go | 0 .../alecthomas/chroma/styles/onesenterprise.go | 0 .../alecthomas/chroma/styles/paraiso-dark.go | 0 .../alecthomas/chroma/styles/paraiso-light.go | 0 .../github.com/alecthomas/chroma/styles/pastie.go | 0 .../github.com/alecthomas/chroma/styles/perldoc.go | 0 .../alecthomas/chroma/styles/pygments.go | 0 .../alecthomas/chroma/styles/rainbow_dash.go | 0 vendor/github.com/alecthomas/chroma/styles/rrt.go | 0 .../alecthomas/chroma/styles/solarized-dark.go | 0 .../alecthomas/chroma/styles/solarized-dark256.go | 0 .../alecthomas/chroma/styles/solarized-light.go | 0 .../github.com/alecthomas/chroma/styles/swapoff.go | 0 .../github.com/alecthomas/chroma/styles/tango.go | 0 vendor/github.com/alecthomas/chroma/styles/trac.go | 0 vendor/github.com/alecthomas/chroma/styles/vim.go | 0 vendor/github.com/alecthomas/chroma/styles/vs.go | 0 .../github.com/alecthomas/chroma/styles/vulcan.go | 0 .../alecthomas/chroma/styles/witchhazel.go | 0 .../alecthomas/chroma/styles/xcode-dark.go | 0 .../github.com/alecthomas/chroma/styles/xcode.go | 0 vendor/github.com/alecthomas/chroma/table.py | 0 .../alecthomas/chroma/tokentype_string.go | 0 vendor/github.com/alecthomas/chroma/types.go | 0 .../alibabacloud-gateway-spi/LICENSE | 0 .../alibabacloud-gateway-spi/client/client.go | 0 .../alibabacloud-go/darabonba-openapi/LICENSE | 0 .../darabonba-openapi/client/client.go | 0 vendor/github.com/alibabacloud-go/debug/LICENSE | 0 .../alibabacloud-go/debug/debug/assert.go | 0 .../alibabacloud-go/debug/debug/debug.go | 0 .../dysmsapi-20170525/v2/client/client.go | 0 .../endpoint-util/service/service.go | 0 .../alibabacloud-go/openapi-util/LICENSE | 0 .../openapi-util/service/service.go | 0 .../alibabacloud-go/tea-utils/service/service.go | 0 .../alibabacloud-go/tea-utils/service/util.go | 0 .../alibabacloud-go/tea-xml/service/service.go | 0 vendor/github.com/alibabacloud-go/tea/LICENSE | 0 .../alibabacloud-go/tea/tea/json_parser.go | 0 vendor/github.com/alibabacloud-go/tea/tea/tea.go | 0 vendor/github.com/alibabacloud-go/tea/tea/trans.go | 0 .../github.com/alibabacloud-go/tea/utils/assert.go | 0 .../github.com/alibabacloud-go/tea/utils/logger.go | 0 .../alibabacloud-go/tea/utils/progress.go | 0 vendor/github.com/aliyun/credentials-go/LICENSE | 0 .../credentials/access_key_credential.go | 0 .../credentials/bearer_token_credential.go | 0 .../credentials-go/credentials/credential.go | 0 .../credentials/credential_updater.go | 0 .../credentials-go/credentials/ecs_ram_role.go | 0 .../credentials-go/credentials/env_provider.go | 0 .../credentials/instance_provider.go | 0 .../credentials-go/credentials/profile_provider.go | 0 .../aliyun/credentials-go/credentials/provider.go | 0 .../credentials-go/credentials/provider_chain.go | 0 .../credentials/request/common_request.go | 0 .../credentials/response/common_response.go | 0 .../credentials/rsa_key_pair_credential.go | 0 .../credentials/session_credential.go | 0 .../credentials-go/credentials/sts_credential.go | 0 .../credentials/sts_role_arn_credential.go | 0 .../credentials-go/credentials/utils/runtime.go | 0 .../credentials-go/credentials/utils/utils.go | 0 vendor/github.com/andybalholm/cascadia/.travis.yml | 0 vendor/github.com/andybalholm/cascadia/LICENSE | 0 vendor/github.com/andybalholm/cascadia/README.md | 0 vendor/github.com/andybalholm/cascadia/go.mod | 0 vendor/github.com/andybalholm/cascadia/parser.go | 0 vendor/github.com/andybalholm/cascadia/selector.go | 0 vendor/github.com/anmitsu/go-shlex/.gitignore | 0 vendor/github.com/anmitsu/go-shlex/LICENSE | 0 vendor/github.com/anmitsu/go-shlex/README.md | 0 vendor/github.com/anmitsu/go-shlex/shlex.go | 0 .../github.com/asaskevich/govalidator/.travis.yml | 0 .../asaskevich/govalidator/CONTRIBUTING.md | 0 vendor/github.com/asaskevich/govalidator/LICENSE | 0 vendor/github.com/asaskevich/govalidator/README.md | 0 vendor/github.com/asaskevich/govalidator/arrays.go | 0 .../github.com/asaskevich/govalidator/converter.go | 0 vendor/github.com/asaskevich/govalidator/error.go | 0 .../github.com/asaskevich/govalidator/numerics.go | 0 .../github.com/asaskevich/govalidator/patterns.go | 0 vendor/github.com/asaskevich/govalidator/types.go | 0 vendor/github.com/asaskevich/govalidator/utils.go | 0 .../github.com/asaskevich/govalidator/validator.go | 0 .../github.com/asaskevich/govalidator/wercker.yml | 0 vendor/github.com/aws/aws-sdk-go/LICENSE.txt | 0 vendor/github.com/aws/aws-sdk-go/NOTICE.txt | 0 .../github.com/aws/aws-sdk-go/aws/awserr/error.go | 0 .../github.com/aws/aws-sdk-go/aws/awserr/types.go | 0 .../github.com/aws/aws-sdk-go/aws/awsutil/copy.go | 0 .../github.com/aws/aws-sdk-go/aws/awsutil/equal.go | 0 .../aws/aws-sdk-go/aws/awsutil/path_value.go | 0 .../aws/aws-sdk-go/aws/awsutil/prettify.go | 0 .../aws/aws-sdk-go/aws/awsutil/string_value.go | 0 .../github.com/aws/aws-sdk-go/aws/client/client.go | 0 .../aws/aws-sdk-go/aws/client/default_retryer.go | 0 .../github.com/aws/aws-sdk-go/aws/client/logger.go | 0 .../aws-sdk-go/aws/client/metadata/client_info.go | 0 .../aws/aws-sdk-go/aws/client/no_op_retryer.go | 0 vendor/github.com/aws/aws-sdk-go/aws/config.go | 0 .../github.com/aws/aws-sdk-go/aws/context_1_5.go | 0 .../github.com/aws/aws-sdk-go/aws/context_1_9.go | 0 .../aws/aws-sdk-go/aws/context_background_1_5.go | 0 .../aws/aws-sdk-go/aws/context_background_1_7.go | 0 .../github.com/aws/aws-sdk-go/aws/context_sleep.go | 0 .../github.com/aws/aws-sdk-go/aws/convert_types.go | 0 .../aws/aws-sdk-go/aws/corehandlers/handlers.go | 0 .../aws-sdk-go/aws/corehandlers/param_validator.go | 0 .../aws/aws-sdk-go/aws/corehandlers/user_agent.go | 0 .../aws-sdk-go/aws/credentials/chain_provider.go | 0 .../aws/aws-sdk-go/aws/credentials/credentials.go | 0 .../credentials/ec2rolecreds/ec2_role_provider.go | 0 .../aws/credentials/endpointcreds/provider.go | 0 .../aws/aws-sdk-go/aws/credentials/env_provider.go | 0 .../aws/aws-sdk-go/aws/credentials/example.ini | 0 .../aws/credentials/processcreds/provider.go | 0 .../aws/credentials/shared_credentials_provider.go | 0 .../aws-sdk-go/aws/credentials/static_provider.go | 0 .../credentials/stscreds/assume_role_provider.go | 0 .../credentials/stscreds/web_identity_provider.go | 0 vendor/github.com/aws/aws-sdk-go/aws/crr/cache.go | 0 .../github.com/aws/aws-sdk-go/aws/crr/endpoint.go | 0 .../github.com/aws/aws-sdk-go/aws/crr/sync_map.go | 0 .../aws/aws-sdk-go/aws/crr/sync_map_1_8.go | 0 vendor/github.com/aws/aws-sdk-go/aws/csm/doc.go | 0 vendor/github.com/aws/aws-sdk-go/aws/csm/enable.go | 0 vendor/github.com/aws/aws-sdk-go/aws/csm/metric.go | 0 .../aws/aws-sdk-go/aws/csm/metric_chan.go | 0 .../aws/aws-sdk-go/aws/csm/metric_exception.go | 0 .../github.com/aws/aws-sdk-go/aws/csm/reporter.go | 0 .../aws/aws-sdk-go/aws/defaults/defaults.go | 0 .../aws/aws-sdk-go/aws/defaults/shared_config.go | 0 vendor/github.com/aws/aws-sdk-go/aws/doc.go | 0 .../aws/aws-sdk-go/aws/ec2metadata/api.go | 0 .../aws/aws-sdk-go/aws/ec2metadata/service.go | 0 .../aws/aws-sdk-go/aws/endpoints/decode.go | 0 .../aws/aws-sdk-go/aws/endpoints/defaults.go | 0 .../aws-sdk-go/aws/endpoints/dep_service_ids.go | 0 .../github.com/aws/aws-sdk-go/aws/endpoints/doc.go | 0 .../aws/aws-sdk-go/aws/endpoints/endpoints.go | 0 .../aws-sdk-go/aws/endpoints/sts_legacy_regions.go | 0 .../aws/aws-sdk-go/aws/endpoints/v3model.go | 0 .../aws-sdk-go/aws/endpoints/v3model_codegen.go | 0 vendor/github.com/aws/aws-sdk-go/aws/errors.go | 0 vendor/github.com/aws/aws-sdk-go/aws/jsonvalue.go | 0 vendor/github.com/aws/aws-sdk-go/aws/logger.go | 0 .../aws/request/connection_reset_error.go | 0 .../aws/aws-sdk-go/aws/request/handlers.go | 0 .../aws/aws-sdk-go/aws/request/http_request.go | 0 .../aws/aws-sdk-go/aws/request/offset_reader.go | 0 .../aws/aws-sdk-go/aws/request/request.go | 0 .../aws/aws-sdk-go/aws/request/request_1_7.go | 0 .../aws/aws-sdk-go/aws/request/request_1_8.go | 0 .../aws/aws-sdk-go/aws/request/request_context.go | 0 .../aws-sdk-go/aws/request/request_context_1_6.go | 0 .../aws-sdk-go/aws/request/request_pagination.go | 0 .../aws/aws-sdk-go/aws/request/retryer.go | 0 .../aws-sdk-go/aws/request/timeout_read_closer.go | 0 .../aws/aws-sdk-go/aws/request/validation.go | 0 .../aws/aws-sdk-go/aws/request/waiter.go | 0 .../aws-sdk-go/aws/session/cabundle_transport.go | 0 .../aws/session/cabundle_transport_1_5.go | 0 .../aws/session/cabundle_transport_1_6.go | 0 .../aws/aws-sdk-go/aws/session/credentials.go | 0 .../github.com/aws/aws-sdk-go/aws/session/doc.go | 0 .../aws/aws-sdk-go/aws/session/env_config.go | 0 .../aws/aws-sdk-go/aws/session/session.go | 0 .../aws/aws-sdk-go/aws/session/shared_config.go | 0 .../aws/aws-sdk-go/aws/signer/v4/header_rules.go | 0 .../aws/aws-sdk-go/aws/signer/v4/options.go | 0 .../aws/aws-sdk-go/aws/signer/v4/uri_path.go | 0 .../github.com/aws/aws-sdk-go/aws/signer/v4/v4.go | 0 vendor/github.com/aws/aws-sdk-go/aws/types.go | 0 vendor/github.com/aws/aws-sdk-go/aws/url.go | 0 vendor/github.com/aws/aws-sdk-go/aws/url_1_7.go | 0 vendor/github.com/aws/aws-sdk-go/aws/version.go | 0 .../github.com/aws/aws-sdk-go/internal/ini/ast.go | 0 .../aws/aws-sdk-go/internal/ini/comma_token.go | 0 .../aws/aws-sdk-go/internal/ini/comment_token.go | 0 .../github.com/aws/aws-sdk-go/internal/ini/doc.go | 0 .../aws/aws-sdk-go/internal/ini/empty_token.go | 0 .../aws/aws-sdk-go/internal/ini/expression.go | 0 .../github.com/aws/aws-sdk-go/internal/ini/fuzz.go | 0 .../github.com/aws/aws-sdk-go/internal/ini/ini.go | 0 .../aws/aws-sdk-go/internal/ini/ini_lexer.go | 0 .../aws/aws-sdk-go/internal/ini/ini_parser.go | 0 .../aws/aws-sdk-go/internal/ini/literal_tokens.go | 0 .../aws/aws-sdk-go/internal/ini/newline_token.go | 0 .../aws/aws-sdk-go/internal/ini/number_helper.go | 0 .../aws/aws-sdk-go/internal/ini/op_tokens.go | 0 .../aws/aws-sdk-go/internal/ini/parse_error.go | 0 .../aws/aws-sdk-go/internal/ini/parse_stack.go | 0 .../aws/aws-sdk-go/internal/ini/sep_tokens.go | 0 .../aws/aws-sdk-go/internal/ini/skipper.go | 0 .../aws/aws-sdk-go/internal/ini/statement.go | 0 .../aws/aws-sdk-go/internal/ini/value_util.go | 0 .../aws/aws-sdk-go/internal/ini/visitor.go | 0 .../aws/aws-sdk-go/internal/ini/walker.go | 0 .../aws/aws-sdk-go/internal/ini/ws_token.go | 0 .../aws/aws-sdk-go/internal/sdkio/byte.go | 0 .../aws/aws-sdk-go/internal/sdkio/io_go1.6.go | 0 .../aws/aws-sdk-go/internal/sdkio/io_go1.7.go | 0 .../aws/aws-sdk-go/internal/sdkmath/floor.go | 0 .../aws/aws-sdk-go/internal/sdkmath/floor_go1.9.go | 0 .../aws-sdk-go/internal/sdkrand/locked_source.go | 0 .../aws/aws-sdk-go/internal/sdkrand/read.go | 0 .../aws/aws-sdk-go/internal/sdkrand/read_1_5.go | 0 .../aws/aws-sdk-go/internal/sdkuri/path.go | 0 .../internal/shareddefaults/ecs_container.go | 0 .../internal/shareddefaults/shared_config.go | 0 .../aws/aws-sdk-go/private/protocol/host.go | 0 .../aws/aws-sdk-go/private/protocol/host_prefix.go | 0 .../aws/aws-sdk-go/private/protocol/idempotency.go | 0 .../private/protocol/json/jsonutil/build.go | 0 .../private/protocol/json/jsonutil/unmarshal.go | 0 .../aws-sdk-go/private/protocol/jsonrpc/jsonrpc.go | 0 .../aws/aws-sdk-go/private/protocol/jsonvalue.go | 0 .../aws/aws-sdk-go/private/protocol/payload.go | 0 .../aws/aws-sdk-go/private/protocol/query/build.go | 0 .../private/protocol/query/queryutil/queryutil.go | 0 .../aws-sdk-go/private/protocol/query/unmarshal.go | 0 .../private/protocol/query/unmarshal_error.go | 0 .../aws/aws-sdk-go/private/protocol/rest/build.go | 0 .../aws-sdk-go/private/protocol/rest/payload.go | 0 .../aws-sdk-go/private/protocol/rest/unmarshal.go | 0 .../aws/aws-sdk-go/private/protocol/timestamp.go | 0 .../aws/aws-sdk-go/private/protocol/unmarshal.go | 0 .../private/protocol/xml/xmlutil/build.go | 0 .../private/protocol/xml/xmlutil/sort.go | 0 .../private/protocol/xml/xmlutil/unmarshal.go | 0 .../private/protocol/xml/xmlutil/xml_to_struct.go | 0 .../aws/aws-sdk-go/service/dynamodb/api.go | 0 .../aws-sdk-go/service/dynamodb/customizations.go | 0 .../aws/aws-sdk-go/service/dynamodb/doc.go | 0 .../aws/aws-sdk-go/service/dynamodb/doc_custom.go | 0 .../dynamodb/dynamodbattribute/converter.go | 0 .../service/dynamodb/dynamodbattribute/decode.go | 0 .../service/dynamodb/dynamodbattribute/doc.go | 0 .../service/dynamodb/dynamodbattribute/encode.go | 0 .../service/dynamodb/dynamodbattribute/field.go | 0 .../service/dynamodb/dynamodbattribute/tag.go | 0 .../service/dynamodb/dynamodbiface/interface.go | 0 .../aws/aws-sdk-go/service/dynamodb/errors.go | 0 .../aws/aws-sdk-go/service/dynamodb/service.go | 0 .../aws/aws-sdk-go/service/dynamodb/waiters.go | 0 .../github.com/aws/aws-sdk-go/service/sqs/api.go | 0 .../aws/aws-sdk-go/service/sqs/checksums.go | 0 .../aws/aws-sdk-go/service/sqs/customizations.go | 0 .../github.com/aws/aws-sdk-go/service/sqs/doc.go | 0 .../aws/aws-sdk-go/service/sqs/errors.go | 0 .../aws/aws-sdk-go/service/sqs/service.go | 0 .../aws-sdk-go/service/sqs/sqsiface/interface.go | 0 .../github.com/aws/aws-sdk-go/service/sts/api.go | 0 .../aws/aws-sdk-go/service/sts/customizations.go | 0 .../github.com/aws/aws-sdk-go/service/sts/doc.go | 0 .../aws/aws-sdk-go/service/sts/errors.go | 0 .../aws/aws-sdk-go/service/sts/service.go | 0 .../aws-sdk-go/service/sts/stsiface/interface.go | 0 vendor/github.com/aymerick/douceur/LICENSE | 0 .../github.com/aymerick/douceur/css/declaration.go | 0 vendor/github.com/aymerick/douceur/css/rule.go | 0 .../github.com/aymerick/douceur/css/stylesheet.go | 0 vendor/github.com/beorn7/perks/LICENSE | 0 .../beorn7/perks/quantile/exampledata.txt | 0 vendor/github.com/beorn7/perks/quantile/stream.go | 0 vendor/github.com/blevesearch/bleve/.gitignore | 0 vendor/github.com/blevesearch/bleve/.travis.yml | 0 .../github.com/blevesearch/bleve/CONTRIBUTING.md | 0 vendor/github.com/blevesearch/bleve/LICENSE | 0 vendor/github.com/blevesearch/bleve/README.md | 0 .../bleve/analysis/analyzer/custom/custom.go | 0 .../bleve/analysis/analyzer/keyword/keyword.go | 0 .../bleve/analysis/analyzer/standard/standard.go | 0 .../bleve/analysis/datetime/flexible/flexible.go | 0 .../bleve/analysis/datetime/optional/optional.go | 0 .../github.com/blevesearch/bleve/analysis/freq.go | 0 .../bleve/analysis/lang/en/analyzer_en.go | 0 .../bleve/analysis/lang/en/possessive_filter_en.go | 0 .../bleve/analysis/lang/en/stemmer_en_snowball.go | 0 .../bleve/analysis/lang/en/stop_filter_en.go | 0 .../bleve/analysis/lang/en/stop_words_en.go | 0 .../blevesearch/bleve/analysis/test_words.txt | 0 .../bleve/analysis/token/lowercase/lowercase.go | 0 .../bleve/analysis/token/porter/porter.go | 0 .../blevesearch/bleve/analysis/token/stop/stop.go | 0 .../analysis/token/unicodenorm/unicodenorm.go | 0 .../bleve/analysis/tokenizer/single/single.go | 0 .../bleve/analysis/tokenizer/unicode/unicode.go | 0 .../blevesearch/bleve/analysis/tokenmap.go | 0 .../github.com/blevesearch/bleve/analysis/type.go | 0 .../github.com/blevesearch/bleve/analysis/util.go | 0 vendor/github.com/blevesearch/bleve/config.go | 0 vendor/github.com/blevesearch/bleve/config_app.go | 0 vendor/github.com/blevesearch/bleve/config_disk.go | 0 vendor/github.com/blevesearch/bleve/doc.go | 0 .../blevesearch/bleve/document/document.go | 0 .../github.com/blevesearch/bleve/document/field.go | 0 .../blevesearch/bleve/document/field_boolean.go | 0 .../blevesearch/bleve/document/field_composite.go | 0 .../blevesearch/bleve/document/field_datetime.go | 0 .../blevesearch/bleve/document/field_geopoint.go | 0 .../blevesearch/bleve/document/field_numeric.go | 0 .../blevesearch/bleve/document/field_text.go | 0 .../blevesearch/bleve/document/indexing_options.go | 0 vendor/github.com/blevesearch/bleve/error.go | 0 vendor/github.com/blevesearch/bleve/geo/README.md | 0 vendor/github.com/blevesearch/bleve/geo/geo.go | 0 .../github.com/blevesearch/bleve/geo/geo_dist.go | 0 vendor/github.com/blevesearch/bleve/geo/geohash.go | 0 vendor/github.com/blevesearch/bleve/geo/parse.go | 0 vendor/github.com/blevesearch/bleve/geo/sloppy.go | 0 vendor/github.com/blevesearch/bleve/go.mod | 0 vendor/github.com/blevesearch/bleve/index.go | 0 .../github.com/blevesearch/bleve/index/analysis.go | 0 .../blevesearch/bleve/index/field_cache.go | 0 vendor/github.com/blevesearch/bleve/index/index.go | 0 .../blevesearch/bleve/index/scorch/README.md | 0 .../blevesearch/bleve/index/scorch/event.go | 0 .../blevesearch/bleve/index/scorch/introducer.go | 0 .../blevesearch/bleve/index/scorch/merge.go | 0 .../bleve/index/scorch/mergeplan/merge_plan.go | 0 .../bleve/index/scorch/mergeplan/sort.go | 0 .../blevesearch/bleve/index/scorch/optimize.go | 0 .../blevesearch/bleve/index/scorch/persister.go | 0 .../blevesearch/bleve/index/scorch/scorch.go | 0 .../bleve/index/scorch/segment/empty.go | 0 .../blevesearch/bleve/index/scorch/segment/int.go | 0 .../bleve/index/scorch/segment/plugin.go | 0 .../bleve/index/scorch/segment/regexp.go | 0 .../bleve/index/scorch/segment/segment.go | 0 .../bleve/index/scorch/segment/unadorned.go | 0 .../bleve/index/scorch/segment_plugin.go | 0 .../bleve/index/scorch/snapshot_index.go | 0 .../bleve/index/scorch/snapshot_index_dict.go | 0 .../bleve/index/scorch/snapshot_index_doc.go | 0 .../bleve/index/scorch/snapshot_index_tfr.go | 0 .../bleve/index/scorch/snapshot_rollback.go | 0 .../bleve/index/scorch/snapshot_segment.go | 0 .../blevesearch/bleve/index/scorch/stats.go | 0 .../blevesearch/bleve/index/store/batch.go | 0 .../bleve/index/store/boltdb/iterator.go | 0 .../blevesearch/bleve/index/store/boltdb/reader.go | 0 .../blevesearch/bleve/index/store/boltdb/stats.go | 0 .../blevesearch/bleve/index/store/boltdb/store.go | 0 .../blevesearch/bleve/index/store/boltdb/writer.go | 0 .../bleve/index/store/gtreap/iterator.go | 0 .../blevesearch/bleve/index/store/gtreap/reader.go | 0 .../blevesearch/bleve/index/store/gtreap/store.go | 0 .../blevesearch/bleve/index/store/gtreap/writer.go | 0 .../blevesearch/bleve/index/store/kvstore.go | 0 .../blevesearch/bleve/index/store/merge.go | 0 .../blevesearch/bleve/index/store/multiget.go | 0 .../blevesearch/bleve/index/upsidedown/analysis.go | 0 .../bleve/index/upsidedown/benchmark_all.sh | 0 .../blevesearch/bleve/index/upsidedown/dump.go | 0 .../bleve/index/upsidedown/field_dict.go | 0 .../bleve/index/upsidedown/index_reader.go | 0 .../blevesearch/bleve/index/upsidedown/reader.go | 0 .../blevesearch/bleve/index/upsidedown/row.go | 0 .../bleve/index/upsidedown/row_merge.go | 0 .../blevesearch/bleve/index/upsidedown/stats.go | 0 .../bleve/index/upsidedown/upsidedown.go | 0 .../bleve/index/upsidedown/upsidedown.pb.go | 0 .../bleve/index/upsidedown/upsidedown.proto | 0 vendor/github.com/blevesearch/bleve/index_alias.go | 0 .../blevesearch/bleve/index_alias_impl.go | 0 vendor/github.com/blevesearch/bleve/index_impl.go | 0 vendor/github.com/blevesearch/bleve/index_meta.go | 0 vendor/github.com/blevesearch/bleve/index_stats.go | 0 vendor/github.com/blevesearch/bleve/mapping.go | 0 .../blevesearch/bleve/mapping/analysis.go | 0 .../blevesearch/bleve/mapping/document.go | 0 .../github.com/blevesearch/bleve/mapping/field.go | 0 .../github.com/blevesearch/bleve/mapping/index.go | 0 .../blevesearch/bleve/mapping/mapping.go | 0 .../blevesearch/bleve/mapping/reflect.go | 0 vendor/github.com/blevesearch/bleve/numeric/bin.go | 0 .../github.com/blevesearch/bleve/numeric/float.go | 0 .../blevesearch/bleve/numeric/prefix_coded.go | 0 vendor/github.com/blevesearch/bleve/query.go | 0 .../blevesearch/bleve/registry/analyzer.go | 0 .../github.com/blevesearch/bleve/registry/cache.go | 0 .../blevesearch/bleve/registry/char_filter.go | 0 .../blevesearch/bleve/registry/datetime_parser.go | 0 .../bleve/registry/fragment_formatter.go | 0 .../blevesearch/bleve/registry/fragmenter.go | 0 .../blevesearch/bleve/registry/highlighter.go | 0 .../blevesearch/bleve/registry/index_type.go | 0 .../blevesearch/bleve/registry/registry.go | 0 .../github.com/blevesearch/bleve/registry/store.go | 0 .../blevesearch/bleve/registry/token_filter.go | 0 .../blevesearch/bleve/registry/token_maps.go | 0 .../blevesearch/bleve/registry/tokenizer.go | 0 vendor/github.com/blevesearch/bleve/search.go | 0 .../blevesearch/bleve/search/collector.go | 0 .../blevesearch/bleve/search/collector/heap.go | 0 .../blevesearch/bleve/search/collector/list.go | 0 .../blevesearch/bleve/search/collector/slice.go | 0 .../blevesearch/bleve/search/collector/topn.go | 0 .../blevesearch/bleve/search/explanation.go | 0 .../bleve/search/facet/benchmark_data.txt | 0 .../bleve/search/facet/facet_builder_datetime.go | 0 .../bleve/search/facet/facet_builder_numeric.go | 0 .../bleve/search/facet/facet_builder_terms.go | 0 .../blevesearch/bleve/search/facets_builder.go | 0 .../bleve/search/highlight/format/html/html.go | 0 .../search/highlight/fragmenter/simple/simple.go | 0 .../bleve/search/highlight/highlighter.go | 0 .../search/highlight/highlighter/html/html.go | 0 .../highlighter/simple/fragment_scorer_simple.go | 0 .../highlighter/simple/highlighter_simple.go | 0 .../bleve/search/highlight/term_locations.go | 0 .../blevesearch/bleve/search/levenshtein.go | 0 vendor/github.com/blevesearch/bleve/search/pool.go | 0 .../blevesearch/bleve/search/query/bool_field.go | 0 .../blevesearch/bleve/search/query/boolean.go | 0 .../blevesearch/bleve/search/query/boost.go | 0 .../blevesearch/bleve/search/query/conjunction.go | 0 .../blevesearch/bleve/search/query/date_range.go | 0 .../blevesearch/bleve/search/query/disjunction.go | 0 .../blevesearch/bleve/search/query/docid.go | 0 .../blevesearch/bleve/search/query/fuzzy.go | 0 .../bleve/search/query/geo_boundingbox.go | 0 .../bleve/search/query/geo_boundingpolygon.go | 0 .../blevesearch/bleve/search/query/geo_distance.go | 0 .../blevesearch/bleve/search/query/match.go | 0 .../blevesearch/bleve/search/query/match_all.go | 0 .../blevesearch/bleve/search/query/match_none.go | 0 .../blevesearch/bleve/search/query/match_phrase.go | 0 .../blevesearch/bleve/search/query/multi_phrase.go | 0 .../bleve/search/query/numeric_range.go | 0 .../blevesearch/bleve/search/query/phrase.go | 0 .../blevesearch/bleve/search/query/prefix.go | 0 .../blevesearch/bleve/search/query/query.go | 0 .../blevesearch/bleve/search/query/query_string.go | 0 .../blevesearch/bleve/search/query/query_string.y | 0 .../bleve/search/query/query_string.y.go | 0 .../bleve/search/query/query_string_lex.go | 0 .../bleve/search/query/query_string_parser.go | 0 .../blevesearch/bleve/search/query/regexp.go | 0 .../blevesearch/bleve/search/query/term.go | 0 .../blevesearch/bleve/search/query/term_range.go | 0 .../blevesearch/bleve/search/query/wildcard.go | 0 .../bleve/search/scorer/scorer_conjunction.go | 0 .../bleve/search/scorer/scorer_constant.go | 0 .../bleve/search/scorer/scorer_disjunction.go | 0 .../blevesearch/bleve/search/scorer/scorer_term.go | 0 .../blevesearch/bleve/search/scorer/sqrt_cache.go | 0 .../github.com/blevesearch/bleve/search/search.go | 0 .../search/searcher/ordered_searchers_list.go | 0 .../bleve/search/searcher/search_boolean.go | 0 .../bleve/search/searcher/search_conjunction.go | 0 .../bleve/search/searcher/search_disjunction.go | 0 .../search/searcher/search_disjunction_heap.go | 0 .../search/searcher/search_disjunction_slice.go | 0 .../bleve/search/searcher/search_docid.go | 0 .../bleve/search/searcher/search_filter.go | 0 .../bleve/search/searcher/search_fuzzy.go | 0 .../bleve/search/searcher/search_geoboundingbox.go | 0 .../search/searcher/search_geopointdistance.go | 0 .../bleve/search/searcher/search_geopolygon.go | 0 .../bleve/search/searcher/search_match_all.go | 0 .../bleve/search/searcher/search_match_none.go | 0 .../bleve/search/searcher/search_multi_term.go | 0 .../bleve/search/searcher/search_numeric_range.go | 0 .../bleve/search/searcher/search_phrase.go | 0 .../bleve/search/searcher/search_regexp.go | 0 .../bleve/search/searcher/search_term.go | 0 .../bleve/search/searcher/search_term_prefix.go | 0 .../bleve/search/searcher/search_term_range.go | 0 vendor/github.com/blevesearch/bleve/search/sort.go | 0 vendor/github.com/blevesearch/bleve/search/util.go | 0 vendor/github.com/blevesearch/bleve/size/sizes.go | 0 .../blevesearch/go-porterstemmer/.gitignore | 0 .../blevesearch/go-porterstemmer/.travis.yml | 0 .../blevesearch/go-porterstemmer/LICENSE | 0 .../blevesearch/go-porterstemmer/README.md | 0 .../github.com/blevesearch/go-porterstemmer/go.mod | 0 .../blevesearch/go-porterstemmer/porterstemmer.go | 0 vendor/github.com/blevesearch/mmap-go/.gitignore | 0 vendor/github.com/blevesearch/mmap-go/.travis.yml | 0 vendor/github.com/blevesearch/mmap-go/LICENSE | 0 vendor/github.com/blevesearch/mmap-go/README.md | 0 vendor/github.com/blevesearch/mmap-go/go.mod | 0 vendor/github.com/blevesearch/mmap-go/go.sum | 0 vendor/github.com/blevesearch/mmap-go/mmap.go | 0 vendor/github.com/blevesearch/mmap-go/mmap_unix.go | 0 .../github.com/blevesearch/mmap-go/mmap_windows.go | 0 vendor/github.com/blevesearch/segment/.gitignore | 0 vendor/github.com/blevesearch/segment/.travis.yml | 0 vendor/github.com/blevesearch/segment/LICENSE | 0 vendor/github.com/blevesearch/segment/README.md | 0 vendor/github.com/blevesearch/segment/doc.go | 0 vendor/github.com/blevesearch/segment/go.mod | 0 vendor/github.com/blevesearch/segment/segment.go | 0 .../github.com/blevesearch/segment/segment_fuzz.go | 0 .../blevesearch/segment/segment_words.go | 0 .../blevesearch/segment/segment_words.rl | 0 .../blevesearch/segment/segment_words_prod.go | 0 vendor/github.com/blevesearch/snowballstem/COPYING | 0 .../github.com/blevesearch/snowballstem/README.md | 0 .../github.com/blevesearch/snowballstem/among.go | 0 .../snowballstem/english/english_stemmer.go | 0 vendor/github.com/blevesearch/snowballstem/env.go | 0 vendor/github.com/blevesearch/snowballstem/gen.go | 0 vendor/github.com/blevesearch/snowballstem/go.mod | 0 vendor/github.com/blevesearch/snowballstem/util.go | 0 vendor/github.com/blevesearch/zap/v11/.gitignore | 0 vendor/github.com/blevesearch/zap/v11/LICENSE | 0 vendor/github.com/blevesearch/zap/v11/README.md | 0 vendor/github.com/blevesearch/zap/v11/build.go | 0 .../github.com/blevesearch/zap/v11/contentcoder.go | 0 vendor/github.com/blevesearch/zap/v11/count.go | 0 vendor/github.com/blevesearch/zap/v11/dict.go | 0 vendor/github.com/blevesearch/zap/v11/docvalues.go | 0 .../github.com/blevesearch/zap/v11/enumerator.go | 0 vendor/github.com/blevesearch/zap/v11/go.mod | 0 vendor/github.com/blevesearch/zap/v11/intcoder.go | 0 vendor/github.com/blevesearch/zap/v11/merge.go | 0 vendor/github.com/blevesearch/zap/v11/new.go | 0 vendor/github.com/blevesearch/zap/v11/plugin.go | 0 vendor/github.com/blevesearch/zap/v11/posting.go | 0 vendor/github.com/blevesearch/zap/v11/read.go | 0 vendor/github.com/blevesearch/zap/v11/segment.go | 0 vendor/github.com/blevesearch/zap/v11/write.go | 0 vendor/github.com/blevesearch/zap/v11/zap.md | 0 vendor/github.com/blevesearch/zap/v12/.gitignore | 0 vendor/github.com/blevesearch/zap/v12/LICENSE | 0 vendor/github.com/blevesearch/zap/v12/README.md | 0 vendor/github.com/blevesearch/zap/v12/build.go | 0 vendor/github.com/blevesearch/zap/v12/chunk.go | 0 .../github.com/blevesearch/zap/v12/contentcoder.go | 0 vendor/github.com/blevesearch/zap/v12/count.go | 0 vendor/github.com/blevesearch/zap/v12/dict.go | 0 vendor/github.com/blevesearch/zap/v12/docvalues.go | 0 .../github.com/blevesearch/zap/v12/enumerator.go | 0 vendor/github.com/blevesearch/zap/v12/go.mod | 0 .../github.com/blevesearch/zap/v12/intDecoder.go | 0 vendor/github.com/blevesearch/zap/v12/intcoder.go | 0 vendor/github.com/blevesearch/zap/v12/merge.go | 0 vendor/github.com/blevesearch/zap/v12/new.go | 0 vendor/github.com/blevesearch/zap/v12/plugin.go | 0 vendor/github.com/blevesearch/zap/v12/posting.go | 0 vendor/github.com/blevesearch/zap/v12/read.go | 0 vendor/github.com/blevesearch/zap/v12/segment.go | 0 vendor/github.com/blevesearch/zap/v12/write.go | 0 vendor/github.com/blevesearch/zap/v12/zap.md | 0 vendor/github.com/boombuler/barcode/.gitignore | 0 vendor/github.com/boombuler/barcode/LICENSE | 0 vendor/github.com/boombuler/barcode/README.md | 0 vendor/github.com/boombuler/barcode/barcode.go | 0 vendor/github.com/boombuler/barcode/go.mod | 0 .../boombuler/barcode/qr/alphanumeric.go | 0 .../github.com/boombuler/barcode/qr/automatic.go | 0 vendor/github.com/boombuler/barcode/qr/blocks.go | 0 vendor/github.com/boombuler/barcode/qr/encoder.go | 0 .../boombuler/barcode/qr/errorcorrection.go | 0 vendor/github.com/boombuler/barcode/qr/numeric.go | 0 vendor/github.com/boombuler/barcode/qr/qrcode.go | 0 vendor/github.com/boombuler/barcode/qr/unicode.go | 0 .../github.com/boombuler/barcode/qr/versioninfo.go | 0 .../github.com/boombuler/barcode/scaledbarcode.go | 0 .../boombuler/barcode/utils/base1dcode.go | 0 .../github.com/boombuler/barcode/utils/bitlist.go | 0 .../boombuler/barcode/utils/galoisfield.go | 0 .../github.com/boombuler/barcode/utils/gfpoly.go | 0 .../boombuler/barcode/utils/reedsolomon.go | 0 .../github.com/boombuler/barcode/utils/runeint.go | 0 vendor/github.com/bradfitz/gomemcache/LICENSE | 0 .../bradfitz/gomemcache/memcache/memcache.go | 0 .../bradfitz/gomemcache/memcache/selector.go | 0 vendor/github.com/chris-ramon/douceur/LICENSE | 0 .../chris-ramon/douceur/parser/parser.go | 0 vendor/github.com/clbanning/mxj/v2/.travis.yml | 0 vendor/github.com/clbanning/mxj/v2/LICENSE | 0 vendor/github.com/clbanning/mxj/v2/anyxml.go | 0 .../github.com/clbanning/mxj/v2/atomFeedString.xml | 0 vendor/github.com/clbanning/mxj/v2/doc.go | 0 vendor/github.com/clbanning/mxj/v2/escapechars.go | 0 vendor/github.com/clbanning/mxj/v2/exists.go | 0 vendor/github.com/clbanning/mxj/v2/files.go | 0 .../github.com/clbanning/mxj/v2/files_test.badjson | 0 .../github.com/clbanning/mxj/v2/files_test.badxml | 0 vendor/github.com/clbanning/mxj/v2/files_test.json | 0 vendor/github.com/clbanning/mxj/v2/files_test.xml | 0 .../clbanning/mxj/v2/files_test_dup.json | 0 .../github.com/clbanning/mxj/v2/files_test_dup.xml | 0 .../clbanning/mxj/v2/files_test_indent.json | 0 .../clbanning/mxj/v2/files_test_indent.xml | 0 vendor/github.com/clbanning/mxj/v2/go.mod | 0 vendor/github.com/clbanning/mxj/v2/gob.go | 0 vendor/github.com/clbanning/mxj/v2/json.go | 0 vendor/github.com/clbanning/mxj/v2/keyvalues.go | 0 vendor/github.com/clbanning/mxj/v2/leafnode.go | 0 vendor/github.com/clbanning/mxj/v2/misc.go | 0 vendor/github.com/clbanning/mxj/v2/mxj.go | 0 vendor/github.com/clbanning/mxj/v2/newmap.go | 0 vendor/github.com/clbanning/mxj/v2/readme.md | 0 vendor/github.com/clbanning/mxj/v2/remove.go | 0 vendor/github.com/clbanning/mxj/v2/rename.go | 0 vendor/github.com/clbanning/mxj/v2/set.go | 0 vendor/github.com/clbanning/mxj/v2/setfieldsep.go | 0 vendor/github.com/clbanning/mxj/v2/songtext.xml | 0 vendor/github.com/clbanning/mxj/v2/strict.go | 0 vendor/github.com/clbanning/mxj/v2/struct.go | 0 vendor/github.com/clbanning/mxj/v2/updatevalues.go | 0 vendor/github.com/clbanning/mxj/v2/xml.go | 0 vendor/github.com/clbanning/mxj/v2/xmlseq.go | 0 vendor/github.com/clbanning/mxj/v2/xmlseq2.go | 0 vendor/github.com/couchbase/gomemcached/.gitignore | 0 vendor/github.com/couchbase/gomemcached/LICENSE | 0 .../couchbase/gomemcached/README.markdown | 0 .../gomemcached/client/collections_filter.go | 0 .../github.com/couchbase/gomemcached/client/mc.go | 0 .../couchbase/gomemcached/client/tap_feed.go | 0 .../couchbase/gomemcached/client/transport.go | 0 .../couchbase/gomemcached/client/upr_event.go | 0 .../couchbase/gomemcached/client/upr_feed.go | 0 .../couchbase/gomemcached/flexibleFraming.go | 0 .../couchbase/gomemcached/mc_constants.go | 0 vendor/github.com/couchbase/gomemcached/mc_req.go | 0 vendor/github.com/couchbase/gomemcached/mc_res.go | 0 vendor/github.com/couchbase/gomemcached/tap.go | 0 vendor/github.com/couchbase/goutils/LICENSE.md | 0 .../github.com/couchbase/goutils/logging/logger.go | 0 .../couchbase/goutils/logging/logger_golog.go | 0 .../couchbase/goutils/scramsha/scramsha.go | 0 .../couchbase/goutils/scramsha/scramsha_http.go | 0 vendor/github.com/couchbase/vellum/.travis.yml | 0 vendor/github.com/couchbase/vellum/CONTRIBUTING.md | 0 vendor/github.com/couchbase/vellum/LICENSE | 0 vendor/github.com/couchbase/vellum/README.md | 0 vendor/github.com/couchbase/vellum/automaton.go | 0 vendor/github.com/couchbase/vellum/builder.go | 0 vendor/github.com/couchbase/vellum/common.go | 0 vendor/github.com/couchbase/vellum/decoder_v1.go | 0 vendor/github.com/couchbase/vellum/encoder_v1.go | 0 vendor/github.com/couchbase/vellum/encoding.go | 0 vendor/github.com/couchbase/vellum/fst.go | 0 vendor/github.com/couchbase/vellum/fst_iterator.go | 0 vendor/github.com/couchbase/vellum/go.mod | 0 vendor/github.com/couchbase/vellum/go.sum | 0 .../couchbase/vellum/levenshtein/LICENSE | 0 .../couchbase/vellum/levenshtein/README.md | 0 .../couchbase/vellum/levenshtein/alphabet.go | 0 .../github.com/couchbase/vellum/levenshtein/dfa.go | 0 .../couchbase/vellum/levenshtein/levenshtein.go | 0 .../vellum/levenshtein/levenshtein_nfa.go | 0 .../couchbase/vellum/levenshtein/parametric_dfa.go | 0 .../github.com/couchbase/vellum/merge_iterator.go | 0 vendor/github.com/couchbase/vellum/pack.go | 0 .../github.com/couchbase/vellum/regexp/compile.go | 0 vendor/github.com/couchbase/vellum/regexp/dfa.go | 0 vendor/github.com/couchbase/vellum/regexp/inst.go | 0 .../github.com/couchbase/vellum/regexp/regexp.go | 0 .../github.com/couchbase/vellum/regexp/sparse.go | 0 vendor/github.com/couchbase/vellum/registry.go | 0 vendor/github.com/couchbase/vellum/transducer.go | 0 vendor/github.com/couchbase/vellum/utf8/utf8.go | 0 vendor/github.com/couchbase/vellum/vellum.go | 0 vendor/github.com/couchbase/vellum/vellum_mmap.go | 0 .../github.com/couchbase/vellum/vellum_nommap.go | 0 vendor/github.com/couchbase/vellum/writer.go | 0 .../couchbaselabs/go-couchbase/.gitignore | 0 .../couchbaselabs/go-couchbase/.travis.yml | 0 .../github.com/couchbaselabs/go-couchbase/LICENSE | 0 .../couchbaselabs/go-couchbase/README.markdown | 0 .../github.com/couchbaselabs/go-couchbase/audit.go | 0 .../couchbaselabs/go-couchbase/client.go | 0 .../couchbaselabs/go-couchbase/conn_pool.go | 0 .../github.com/couchbaselabs/go-couchbase/ddocs.go | 0 .../couchbaselabs/go-couchbase/observe.go | 0 .../github.com/couchbaselabs/go-couchbase/pools.go | 0 .../couchbaselabs/go-couchbase/port_map.go | 0 .../couchbaselabs/go-couchbase/streaming.go | 0 .../github.com/couchbaselabs/go-couchbase/tap.go | 0 .../github.com/couchbaselabs/go-couchbase/upr.go | 0 .../github.com/couchbaselabs/go-couchbase/users.go | 0 .../github.com/couchbaselabs/go-couchbase/util.go | 0 .../github.com/couchbaselabs/go-couchbase/vbmap.go | 0 .../github.com/couchbaselabs/go-couchbase/views.go | 0 vendor/github.com/cpuguy83/go-md2man/v2/LICENSE.md | 0 .../cpuguy83/go-md2man/v2/md2man/md2man.go | 0 .../cpuguy83/go-md2man/v2/md2man/roff.go | 0 vendor/github.com/davecgh/go-spew/LICENSE | 0 vendor/github.com/davecgh/go-spew/spew/bypass.go | 0 .../github.com/davecgh/go-spew/spew/bypasssafe.go | 0 vendor/github.com/davecgh/go-spew/spew/common.go | 0 vendor/github.com/davecgh/go-spew/spew/config.go | 0 vendor/github.com/davecgh/go-spew/spew/doc.go | 0 vendor/github.com/davecgh/go-spew/spew/dump.go | 0 vendor/github.com/davecgh/go-spew/spew/format.go | 0 vendor/github.com/davecgh/go-spew/spew/spew.go | 0 .../github.com/denisenkom/go-mssqldb/LICENSE.txt | 0 vendor/github.com/denisenkom/go-mssqldb/README.md | 0 .../denisenkom/go-mssqldb/accesstokenconnector.go | 0 .../github.com/denisenkom/go-mssqldb/appveyor.yml | 0 vendor/github.com/denisenkom/go-mssqldb/buf.go | 0 .../github.com/denisenkom/go-mssqldb/bulkcopy.go | 0 .../denisenkom/go-mssqldb/bulkcopy_sql.go | 0 .../github.com/denisenkom/go-mssqldb/conn_str.go | 0 vendor/github.com/denisenkom/go-mssqldb/convert.go | 0 vendor/github.com/denisenkom/go-mssqldb/doc.go | 0 vendor/github.com/denisenkom/go-mssqldb/error.go | 0 vendor/github.com/denisenkom/go-mssqldb/go.mod | 0 vendor/github.com/denisenkom/go-mssqldb/go.sum | 0 .../denisenkom/go-mssqldb/internal/cp/charset.go | 0 .../denisenkom/go-mssqldb/internal/cp/collation.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1250.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1251.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1252.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1253.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1254.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1255.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1256.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1257.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp1258.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp437.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp850.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp874.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp932.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp936.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp949.go | 0 .../denisenkom/go-mssqldb/internal/cp/cp950.go | 0 .../go-mssqldb/internal/decimal/decimal.go | 0 .../go-mssqldb/internal/querytext/parser.go | 0 vendor/github.com/denisenkom/go-mssqldb/log.go | 0 vendor/github.com/denisenkom/go-mssqldb/mssql.go | 0 .../denisenkom/go-mssqldb/mssql_go110.go | 0 .../denisenkom/go-mssqldb/mssql_go110pre.go | 0 .../github.com/denisenkom/go-mssqldb/mssql_go19.go | 0 .../denisenkom/go-mssqldb/mssql_go19pre.go | 0 vendor/github.com/denisenkom/go-mssqldb/net.go | 0 vendor/github.com/denisenkom/go-mssqldb/ntlm.go | 0 vendor/github.com/denisenkom/go-mssqldb/rpc.go | 0 .../denisenkom/go-mssqldb/sspi_windows.go | 0 vendor/github.com/denisenkom/go-mssqldb/tds.go | 0 vendor/github.com/denisenkom/go-mssqldb/token.go | 0 .../denisenkom/go-mssqldb/token_string.go | 0 vendor/github.com/denisenkom/go-mssqldb/tran.go | 0 .../github.com/denisenkom/go-mssqldb/tvp_go19.go | 0 vendor/github.com/denisenkom/go-mssqldb/types.go | 0 .../denisenkom/go-mssqldb/uniqueidentifier.go | 0 vendor/github.com/dgrijalva/jwt-go/.gitignore | 0 vendor/github.com/dgrijalva/jwt-go/.travis.yml | 0 vendor/github.com/dgrijalva/jwt-go/LICENSE | 0 .../github.com/dgrijalva/jwt-go/MIGRATION_GUIDE.md | 0 vendor/github.com/dgrijalva/jwt-go/README.md | 0 .../github.com/dgrijalva/jwt-go/VERSION_HISTORY.md | 0 vendor/github.com/dgrijalva/jwt-go/claims.go | 0 vendor/github.com/dgrijalva/jwt-go/doc.go | 0 vendor/github.com/dgrijalva/jwt-go/ecdsa.go | 0 vendor/github.com/dgrijalva/jwt-go/ecdsa_utils.go | 0 vendor/github.com/dgrijalva/jwt-go/errors.go | 0 vendor/github.com/dgrijalva/jwt-go/hmac.go | 0 vendor/github.com/dgrijalva/jwt-go/map_claims.go | 0 vendor/github.com/dgrijalva/jwt-go/none.go | 0 vendor/github.com/dgrijalva/jwt-go/parser.go | 0 vendor/github.com/dgrijalva/jwt-go/rsa.go | 0 vendor/github.com/dgrijalva/jwt-go/rsa_pss.go | 0 vendor/github.com/dgrijalva/jwt-go/rsa_utils.go | 0 .../github.com/dgrijalva/jwt-go/signing_method.go | 0 vendor/github.com/dgrijalva/jwt-go/token.go | 0 .../github.com/disintegration/imaging/.travis.yml | 0 vendor/github.com/disintegration/imaging/LICENSE | 0 vendor/github.com/disintegration/imaging/README.md | 0 vendor/github.com/disintegration/imaging/adjust.go | 0 .../disintegration/imaging/convolution.go | 0 vendor/github.com/disintegration/imaging/doc.go | 0 .../github.com/disintegration/imaging/effects.go | 0 vendor/github.com/disintegration/imaging/go.mod | 0 vendor/github.com/disintegration/imaging/go.sum | 0 .../github.com/disintegration/imaging/histogram.go | 0 vendor/github.com/disintegration/imaging/io.go | 0 vendor/github.com/disintegration/imaging/resize.go | 0 .../github.com/disintegration/imaging/scanner.go | 0 vendor/github.com/disintegration/imaging/tools.go | 0 .../github.com/disintegration/imaging/transform.go | 0 vendor/github.com/disintegration/imaging/utils.go | 0 vendor/github.com/dlclark/regexp2/.gitignore | 0 vendor/github.com/dlclark/regexp2/.travis.yml | 0 vendor/github.com/dlclark/regexp2/ATTRIB | 0 vendor/github.com/dlclark/regexp2/LICENSE | 0 vendor/github.com/dlclark/regexp2/README.md | 0 vendor/github.com/dlclark/regexp2/match.go | 0 vendor/github.com/dlclark/regexp2/regexp.go | 0 vendor/github.com/dlclark/regexp2/replace.go | 0 vendor/github.com/dlclark/regexp2/runner.go | 0 .../github.com/dlclark/regexp2/syntax/charclass.go | 0 vendor/github.com/dlclark/regexp2/syntax/code.go | 0 vendor/github.com/dlclark/regexp2/syntax/escape.go | 0 vendor/github.com/dlclark/regexp2/syntax/fuzz.go | 0 vendor/github.com/dlclark/regexp2/syntax/parser.go | 0 vendor/github.com/dlclark/regexp2/syntax/prefix.go | 0 .../dlclark/regexp2/syntax/replacerdata.go | 0 vendor/github.com/dlclark/regexp2/syntax/tree.go | 0 vendor/github.com/dlclark/regexp2/syntax/writer.go | 0 vendor/github.com/dlclark/regexp2/testoutput1 | 0 vendor/github.com/dustin/go-humanize/.travis.yml | 0 vendor/github.com/dustin/go-humanize/LICENSE | 0 .../github.com/dustin/go-humanize/README.markdown | 0 vendor/github.com/dustin/go-humanize/big.go | 0 vendor/github.com/dustin/go-humanize/bigbytes.go | 0 vendor/github.com/dustin/go-humanize/bytes.go | 0 vendor/github.com/dustin/go-humanize/comma.go | 0 vendor/github.com/dustin/go-humanize/commaf.go | 0 vendor/github.com/dustin/go-humanize/ftoa.go | 0 vendor/github.com/dustin/go-humanize/humanize.go | 0 vendor/github.com/dustin/go-humanize/number.go | 0 vendor/github.com/dustin/go-humanize/ordinals.go | 0 vendor/github.com/dustin/go-humanize/si.go | 0 vendor/github.com/dustin/go-humanize/times.go | 0 .../editorconfig-core-go/v2/.editorconfig | 0 .../editorconfig-core-go/v2/.gitattributes | 0 .../editorconfig-core-go/v2/.gitignore | 0 .../editorconfig-core-go/v2/.gitmodules | 0 .../editorconfig-core-go/v2/.travis.yml | 0 .../editorconfig-core-go/v2/CHANGELOG.md | 0 .../editorconfig-core-go/v2/CMakeLists.txt | 0 .../editorconfig/editorconfig-core-go/v2/LICENSE | 0 .../editorconfig/editorconfig-core-go/v2/Makefile | 0 .../editorconfig/editorconfig-core-go/v2/README.md | 0 .../editorconfig-core-go/v2/editorconfig.go | 0 .../editorconfig-core-go/v2/fnmatch.go | 0 .../editorconfig/editorconfig-core-go/v2/go.mod | 0 .../editorconfig/editorconfig-core-go/v2/go.sum | 0 .../elliotchance/orderedmap/.editorconfig | 0 .../github.com/elliotchance/orderedmap/.gitignore | 0 .../github.com/elliotchance/orderedmap/.travis.yml | 0 vendor/github.com/elliotchance/orderedmap/LICENSE | 0 .../github.com/elliotchance/orderedmap/README.md | 0 .../github.com/elliotchance/orderedmap/element.go | 0 vendor/github.com/elliotchance/orderedmap/go.mod | 0 vendor/github.com/elliotchance/orderedmap/go.sum | 0 .../elliotchance/orderedmap/orderedmap.go | 0 vendor/github.com/emirpasic/gods/LICENSE | 0 .../emirpasic/gods/containers/containers.go | 0 .../emirpasic/gods/containers/enumerable.go | 0 .../emirpasic/gods/containers/iterator.go | 0 .../emirpasic/gods/containers/serialization.go | 0 .../emirpasic/gods/lists/arraylist/arraylist.go | 0 .../emirpasic/gods/lists/arraylist/enumerable.go | 0 .../emirpasic/gods/lists/arraylist/iterator.go | 0 .../gods/lists/arraylist/serialization.go | 0 vendor/github.com/emirpasic/gods/lists/lists.go | 0 .../emirpasic/gods/trees/binaryheap/binaryheap.go | 0 .../emirpasic/gods/trees/binaryheap/iterator.go | 0 .../gods/trees/binaryheap/serialization.go | 0 vendor/github.com/emirpasic/gods/trees/trees.go | 0 .../github.com/emirpasic/gods/utils/comparator.go | 0 vendor/github.com/emirpasic/gods/utils/sort.go | 0 vendor/github.com/emirpasic/gods/utils/utils.go | 0 vendor/github.com/ethantkoenig/rupture/.gitignore | 0 vendor/github.com/ethantkoenig/rupture/.travis.yml | 0 vendor/github.com/ethantkoenig/rupture/Gopkg.lock | 0 vendor/github.com/ethantkoenig/rupture/Gopkg.toml | 0 vendor/github.com/ethantkoenig/rupture/LICENSE | 0 vendor/github.com/ethantkoenig/rupture/README.md | 0 .../ethantkoenig/rupture/flushing_batch.go | 0 vendor/github.com/ethantkoenig/rupture/metadata.go | 0 .../ethantkoenig/rupture/sharded_index.go | 0 vendor/github.com/fatih/color/LICENSE.md | 0 vendor/github.com/fatih/color/README.md | 0 vendor/github.com/fatih/color/color.go | 0 vendor/github.com/fatih/color/doc.go | 0 vendor/github.com/fatih/color/go.mod | 0 vendor/github.com/fatih/color/go.sum | 0 vendor/github.com/fatih/structtag/LICENSE | 0 vendor/github.com/fatih/structtag/README.md | 0 vendor/github.com/fatih/structtag/go.mod | 0 vendor/github.com/fatih/structtag/tags.go | 0 vendor/github.com/fsnotify/fsnotify/.editorconfig | 0 vendor/github.com/fsnotify/fsnotify/.gitignore | 0 vendor/github.com/fsnotify/fsnotify/.travis.yml | 0 vendor/github.com/fsnotify/fsnotify/AUTHORS | 0 vendor/github.com/fsnotify/fsnotify/CHANGELOG.md | 0 .../github.com/fsnotify/fsnotify/CONTRIBUTING.md | 0 vendor/github.com/fsnotify/fsnotify/LICENSE | 0 vendor/github.com/fsnotify/fsnotify/README.md | 0 vendor/github.com/fsnotify/fsnotify/fen.go | 0 vendor/github.com/fsnotify/fsnotify/fsnotify.go | 0 vendor/github.com/fsnotify/fsnotify/inotify.go | 0 .../github.com/fsnotify/fsnotify/inotify_poller.go | 0 vendor/github.com/fsnotify/fsnotify/kqueue.go | 0 .../github.com/fsnotify/fsnotify/open_mode_bsd.go | 0 .../fsnotify/fsnotify/open_mode_darwin.go | 0 vendor/github.com/fsnotify/fsnotify/windows.go | 0 vendor/github.com/gliderlabs/ssh/LICENSE | 0 vendor/github.com/gliderlabs/ssh/README.md | 0 vendor/github.com/gliderlabs/ssh/agent.go | 0 vendor/github.com/gliderlabs/ssh/circle.yml | 0 vendor/github.com/gliderlabs/ssh/conn.go | 0 vendor/github.com/gliderlabs/ssh/context.go | 0 vendor/github.com/gliderlabs/ssh/doc.go | 0 vendor/github.com/gliderlabs/ssh/options.go | 0 vendor/github.com/gliderlabs/ssh/server.go | 0 vendor/github.com/gliderlabs/ssh/session.go | 0 vendor/github.com/gliderlabs/ssh/ssh.go | 0 vendor/github.com/gliderlabs/ssh/tcpip.go | 0 vendor/github.com/gliderlabs/ssh/util.go | 0 vendor/github.com/gliderlabs/ssh/wrap.go | 0 .../glycerine/go-unsnap-stream/.gitignore | 0 .../github.com/glycerine/go-unsnap-stream/LICENSE | 0 .../glycerine/go-unsnap-stream/README.md | 0 .../glycerine/go-unsnap-stream/binary.dat | Bin .../glycerine/go-unsnap-stream/binary.dat.snappy | Bin .../github.com/glycerine/go-unsnap-stream/rbuf.go | 0 .../github.com/glycerine/go-unsnap-stream/snap.go | 0 .../glycerine/go-unsnap-stream/unenc.txt | 0 .../glycerine/go-unsnap-stream/unenc.txt.snappy | Bin .../glycerine/go-unsnap-stream/unsnap.go | 0 vendor/github.com/go-enry/go-enry/v2/.gitignore | 0 vendor/github.com/go-enry/go-enry/v2/.travis.yml | 0 vendor/github.com/go-enry/go-enry/v2/LICENSE | 0 vendor/github.com/go-enry/go-enry/v2/Makefile | 0 vendor/github.com/go-enry/go-enry/v2/README.md | 0 vendor/github.com/go-enry/go-enry/v2/classifier.go | 0 vendor/github.com/go-enry/go-enry/v2/common.go | 0 vendor/github.com/go-enry/go-enry/v2/data/alias.go | 0 .../github.com/go-enry/go-enry/v2/data/colors.go | 0 .../github.com/go-enry/go-enry/v2/data/commit.go | 0 .../github.com/go-enry/go-enry/v2/data/content.go | 0 vendor/github.com/go-enry/go-enry/v2/data/doc.go | 0 .../go-enry/go-enry/v2/data/documentation.go | 0 .../go-enry/go-enry/v2/data/extension.go | 0 .../github.com/go-enry/go-enry/v2/data/filename.go | 0 .../go-enry/go-enry/v2/data/frequencies.go | 0 .../github.com/go-enry/go-enry/v2/data/groups.go | 0 .../go-enry/go-enry/v2/data/heuristics.go | 0 .../go-enry/go-enry/v2/data/interpreter.go | 0 .../github.com/go-enry/go-enry/v2/data/mimeType.go | 0 .../go-enry/go-enry/v2/data/rule/rule.go | 0 vendor/github.com/go-enry/go-enry/v2/data/type.go | 0 .../github.com/go-enry/go-enry/v2/data/vendor.go | 0 vendor/github.com/go-enry/go-enry/v2/enry.go | 0 vendor/github.com/go-enry/go-enry/v2/go.mod | 0 vendor/github.com/go-enry/go-enry/v2/go.sum | 0 .../go-enry/v2/internal/tokenizer/common.go | 0 .../v2/internal/tokenizer/flex/lex.linguist_yy.c | 0 .../v2/internal/tokenizer/flex/lex.linguist_yy.h | 0 .../go-enry/v2/internal/tokenizer/flex/linguist.h | 0 .../v2/internal/tokenizer/flex/tokenize_c.go | 0 .../go-enry/v2/internal/tokenizer/tokenize.go | 0 .../go-enry/v2/internal/tokenizer/tokenize_c.go | 0 .../go-enry/go-enry/v2/regex/oniguruma.go | 0 .../go-enry/go-enry/v2/regex/standard.go | 0 vendor/github.com/go-enry/go-enry/v2/utils.go | 0 vendor/github.com/go-enry/go-oniguruma/LICENSE | 0 vendor/github.com/go-enry/go-oniguruma/README.md | 0 vendor/github.com/go-enry/go-oniguruma/chelper.c | 0 vendor/github.com/go-enry/go-oniguruma/chelper.h | 0 .../github.com/go-enry/go-oniguruma/constants.go | 0 vendor/github.com/go-enry/go-oniguruma/go.mod | 0 .../github.com/go-enry/go-oniguruma/quotemeta.go | 0 vendor/github.com/go-enry/go-oniguruma/regex.go | 0 vendor/github.com/go-git/gcfg/LICENSE | 0 vendor/github.com/go-git/gcfg/README | 0 vendor/github.com/go-git/gcfg/doc.go | 0 vendor/github.com/go-git/gcfg/errors.go | 0 vendor/github.com/go-git/gcfg/go1_0.go | 0 vendor/github.com/go-git/gcfg/go1_2.go | 0 vendor/github.com/go-git/gcfg/read.go | 0 vendor/github.com/go-git/gcfg/scanner/errors.go | 0 vendor/github.com/go-git/gcfg/scanner/scanner.go | 0 vendor/github.com/go-git/gcfg/set.go | 0 vendor/github.com/go-git/gcfg/token/position.go | 0 vendor/github.com/go-git/gcfg/token/serialize.go | 0 vendor/github.com/go-git/gcfg/token/token.go | 0 vendor/github.com/go-git/gcfg/types/bool.go | 0 vendor/github.com/go-git/gcfg/types/doc.go | 0 vendor/github.com/go-git/gcfg/types/enum.go | 0 vendor/github.com/go-git/gcfg/types/int.go | 0 vendor/github.com/go-git/gcfg/types/scan.go | 0 vendor/github.com/go-git/go-billy/v5/.gitignore | 0 vendor/github.com/go-git/go-billy/v5/LICENSE | 0 vendor/github.com/go-git/go-billy/v5/README.md | 0 vendor/github.com/go-git/go-billy/v5/fs.go | 0 vendor/github.com/go-git/go-billy/v5/go.mod | 0 vendor/github.com/go-git/go-billy/v5/go.sum | 0 .../go-git/go-billy/v5/helper/chroot/chroot.go | 0 .../go-git/go-billy/v5/helper/polyfill/polyfill.go | 0 vendor/github.com/go-git/go-billy/v5/osfs/os.go | 0 .../github.com/go-git/go-billy/v5/osfs/os_plan9.go | 0 .../github.com/go-git/go-billy/v5/osfs/os_posix.go | 0 .../go-git/go-billy/v5/osfs/os_windows.go | 0 vendor/github.com/go-git/go-billy/v5/util/glob.go | 0 vendor/github.com/go-git/go-billy/v5/util/util.go | 0 vendor/github.com/go-git/go-git/v5/.gitignore | 0 .../github.com/go-git/go-git/v5/CODE_OF_CONDUCT.md | 0 .../github.com/go-git/go-git/v5/COMPATIBILITY.md | 0 vendor/github.com/go-git/go-git/v5/CONTRIBUTING.md | 0 vendor/github.com/go-git/go-git/v5/LICENSE | 0 vendor/github.com/go-git/go-git/v5/Makefile | 0 vendor/github.com/go-git/go-git/v5/README.md | 0 vendor/github.com/go-git/go-git/v5/blame.go | 0 vendor/github.com/go-git/go-git/v5/common.go | 0 .../github.com/go-git/go-git/v5/config/branch.go | 0 .../github.com/go-git/go-git/v5/config/config.go | 0 .../github.com/go-git/go-git/v5/config/modules.go | 0 .../github.com/go-git/go-git/v5/config/refspec.go | 0 vendor/github.com/go-git/go-git/v5/doc.go | 0 vendor/github.com/go-git/go-git/v5/go.mod | 0 vendor/github.com/go-git/go-git/v5/go.sum | 0 .../go-git/go-git/v5/internal/revision/parser.go | 0 .../go-git/go-git/v5/internal/revision/scanner.go | 0 .../go-git/go-git/v5/internal/revision/token.go | 0 .../go-git/go-git/v5/internal/url/url.go | 0 .../github.com/go-git/go-git/v5/object_walker.go | 0 vendor/github.com/go-git/go-git/v5/options.go | 0 .../go-git/go-git/v5/plumbing/cache/buffer_lru.go | 0 .../go-git/go-git/v5/plumbing/cache/common.go | 0 .../go-git/go-git/v5/plumbing/cache/object_lru.go | 0 .../github.com/go-git/go-git/v5/plumbing/error.go | 0 .../go-git/go-git/v5/plumbing/filemode/filemode.go | 0 .../v5/plumbing/format/commitgraph/commitgraph.go | 0 .../go-git/v5/plumbing/format/commitgraph/doc.go | 0 .../v5/plumbing/format/commitgraph/encoder.go | 0 .../go-git/v5/plumbing/format/commitgraph/file.go | 0 .../v5/plumbing/format/commitgraph/memory.go | 0 .../go-git/v5/plumbing/format/config/common.go | 0 .../go-git/v5/plumbing/format/config/decoder.go | 0 .../go-git/go-git/v5/plumbing/format/config/doc.go | 0 .../go-git/v5/plumbing/format/config/encoder.go | 0 .../go-git/v5/plumbing/format/config/option.go | 0 .../go-git/v5/plumbing/format/config/section.go | 0 .../go-git/go-git/v5/plumbing/format/diff/patch.go | 0 .../v5/plumbing/format/diff/unified_encoder.go | 0 .../go-git/v5/plumbing/format/gitignore/dir.go | 0 .../go-git/v5/plumbing/format/gitignore/doc.go | 0 .../go-git/v5/plumbing/format/gitignore/matcher.go | 0 .../go-git/v5/plumbing/format/gitignore/pattern.go | 0 .../go-git/v5/plumbing/format/idxfile/decoder.go | 0 .../go-git/v5/plumbing/format/idxfile/doc.go | 0 .../go-git/v5/plumbing/format/idxfile/encoder.go | 0 .../go-git/v5/plumbing/format/idxfile/idxfile.go | 0 .../go-git/v5/plumbing/format/idxfile/writer.go | 0 .../go-git/v5/plumbing/format/index/decoder.go | 0 .../go-git/go-git/v5/plumbing/format/index/doc.go | 0 .../go-git/v5/plumbing/format/index/encoder.go | 0 .../go-git/v5/plumbing/format/index/index.go | 0 .../go-git/v5/plumbing/format/index/match.go | 0 .../go-git/v5/plumbing/format/objfile/doc.go | 0 .../go-git/v5/plumbing/format/objfile/reader.go | 0 .../go-git/v5/plumbing/format/objfile/writer.go | 0 .../go-git/v5/plumbing/format/packfile/common.go | 0 .../v5/plumbing/format/packfile/delta_index.go | 0 .../v5/plumbing/format/packfile/delta_selector.go | 0 .../v5/plumbing/format/packfile/diff_delta.go | 0 .../go-git/v5/plumbing/format/packfile/doc.go | 0 .../go-git/v5/plumbing/format/packfile/encoder.go | 0 .../go-git/v5/plumbing/format/packfile/error.go | 0 .../go-git/v5/plumbing/format/packfile/fsobject.go | 0 .../v5/plumbing/format/packfile/object_pack.go | 0 .../go-git/v5/plumbing/format/packfile/packfile.go | 0 .../go-git/v5/plumbing/format/packfile/parser.go | 0 .../v5/plumbing/format/packfile/patch_delta.go | 0 .../go-git/v5/plumbing/format/packfile/scanner.go | 0 .../go-git/v5/plumbing/format/pktline/encoder.go | 0 .../go-git/v5/plumbing/format/pktline/scanner.go | 0 .../github.com/go-git/go-git/v5/plumbing/hash.go | 0 .../github.com/go-git/go-git/v5/plumbing/memory.go | 0 .../github.com/go-git/go-git/v5/plumbing/object.go | 0 .../go-git/go-git/v5/plumbing/object/blob.go | 0 .../go-git/go-git/v5/plumbing/object/change.go | 0 .../go-git/v5/plumbing/object/change_adaptor.go | 0 .../go-git/go-git/v5/plumbing/object/commit.go | 0 .../go-git/v5/plumbing/object/commit_walker.go | 0 .../go-git/v5/plumbing/object/commit_walker_bfs.go | 0 .../plumbing/object/commit_walker_bfs_filtered.go | 0 .../v5/plumbing/object/commit_walker_ctime.go | 0 .../v5/plumbing/object/commit_walker_limit.go | 0 .../v5/plumbing/object/commit_walker_path.go | 0 .../v5/plumbing/object/commitgraph/commitnode.go | 0 .../object/commitgraph/commitnode_graph.go | 0 .../object/commitgraph/commitnode_object.go | 0 .../object/commitgraph/commitnode_walker_ctime.go | 0 .../go-git/v5/plumbing/object/commitgraph/doc.go | 0 .../go-git/go-git/v5/plumbing/object/common.go | 0 .../go-git/go-git/v5/plumbing/object/difftree.go | 0 .../go-git/go-git/v5/plumbing/object/file.go | 0 .../go-git/go-git/v5/plumbing/object/merge_base.go | 0 .../go-git/go-git/v5/plumbing/object/object.go | 0 .../go-git/go-git/v5/plumbing/object/patch.go | 0 .../go-git/go-git/v5/plumbing/object/tag.go | 0 .../go-git/go-git/v5/plumbing/object/tree.go | 0 .../go-git/go-git/v5/plumbing/object/treenoder.go | 0 .../go-git/v5/plumbing/protocol/packp/advrefs.go | 0 .../v5/plumbing/protocol/packp/advrefs_decode.go | 0 .../v5/plumbing/protocol/packp/advrefs_encode.go | 0 .../protocol/packp/capability/capability.go | 0 .../v5/plumbing/protocol/packp/capability/list.go | 0 .../go-git/v5/plumbing/protocol/packp/common.go | 0 .../go-git/v5/plumbing/protocol/packp/doc.go | 0 .../v5/plumbing/protocol/packp/report_status.go | 0 .../v5/plumbing/protocol/packp/shallowupd.go | 0 .../v5/plumbing/protocol/packp/sideband/common.go | 0 .../v5/plumbing/protocol/packp/sideband/demux.go | 0 .../v5/plumbing/protocol/packp/sideband/doc.go | 0 .../v5/plumbing/protocol/packp/sideband/muxer.go | 0 .../go-git/v5/plumbing/protocol/packp/srvresp.go | 0 .../go-git/v5/plumbing/protocol/packp/ulreq.go | 0 .../v5/plumbing/protocol/packp/ulreq_decode.go | 0 .../v5/plumbing/protocol/packp/ulreq_encode.go | 0 .../go-git/v5/plumbing/protocol/packp/updreq.go | 0 .../v5/plumbing/protocol/packp/updreq_decode.go | 0 .../v5/plumbing/protocol/packp/updreq_encode.go | 0 .../go-git/v5/plumbing/protocol/packp/uppackreq.go | 0 .../v5/plumbing/protocol/packp/uppackresp.go | 0 .../go-git/go-git/v5/plumbing/reference.go | 0 .../go-git/go-git/v5/plumbing/revision.go | 0 .../go-git/go-git/v5/plumbing/revlist/revlist.go | 0 .../go-git/go-git/v5/plumbing/storer/doc.go | 0 .../go-git/go-git/v5/plumbing/storer/index.go | 0 .../go-git/go-git/v5/plumbing/storer/object.go | 0 .../go-git/go-git/v5/plumbing/storer/reference.go | 0 .../go-git/go-git/v5/plumbing/storer/shallow.go | 0 .../go-git/go-git/v5/plumbing/storer/storer.go | 0 .../go-git/v5/plumbing/transport/client/client.go | 0 .../go-git/go-git/v5/plumbing/transport/common.go | 0 .../go-git/v5/plumbing/transport/file/client.go | 0 .../go-git/v5/plumbing/transport/file/server.go | 0 .../go-git/v5/plumbing/transport/git/common.go | 0 .../go-git/v5/plumbing/transport/http/common.go | 0 .../v5/plumbing/transport/http/receive_pack.go | 0 .../v5/plumbing/transport/http/upload_pack.go | 0 .../plumbing/transport/internal/common/common.go | 0 .../plumbing/transport/internal/common/server.go | 0 .../go-git/v5/plumbing/transport/server/loader.go | 0 .../go-git/v5/plumbing/transport/server/server.go | 0 .../v5/plumbing/transport/ssh/auth_method.go | 0 .../go-git/v5/plumbing/transport/ssh/common.go | 0 vendor/github.com/go-git/go-git/v5/prune.go | 0 vendor/github.com/go-git/go-git/v5/references.go | 0 vendor/github.com/go-git/go-git/v5/remote.go | 0 vendor/github.com/go-git/go-git/v5/repository.go | 0 vendor/github.com/go-git/go-git/v5/status.go | 0 .../go-git/go-git/v5/storage/filesystem/config.go | 0 .../go-git/v5/storage/filesystem/deltaobject.go | 0 .../go-git/v5/storage/filesystem/dotgit/dotgit.go | 0 .../dotgit/dotgit_rewrite_packed_refs.go | 0 .../v5/storage/filesystem/dotgit/dotgit_setref.go | 0 .../go-git/v5/storage/filesystem/dotgit/writers.go | 0 .../go-git/go-git/v5/storage/filesystem/index.go | 0 .../go-git/go-git/v5/storage/filesystem/module.go | 0 .../go-git/go-git/v5/storage/filesystem/object.go | 0 .../go-git/v5/storage/filesystem/reference.go | 0 .../go-git/go-git/v5/storage/filesystem/shallow.go | 0 .../go-git/go-git/v5/storage/filesystem/storage.go | 0 .../go-git/go-git/v5/storage/memory/storage.go | 0 .../github.com/go-git/go-git/v5/storage/storer.go | 0 vendor/github.com/go-git/go-git/v5/submodule.go | 0 .../go-git/go-git/v5/utils/binary/read.go | 0 .../go-git/go-git/v5/utils/binary/write.go | 0 .../github.com/go-git/go-git/v5/utils/diff/diff.go | 0 .../go-git/go-git/v5/utils/ioutil/common.go | 0 .../go-git/go-git/v5/utils/merkletrie/change.go | 0 .../go-git/go-git/v5/utils/merkletrie/difftree.go | 0 .../go-git/go-git/v5/utils/merkletrie/doc.go | 0 .../go-git/v5/utils/merkletrie/doubleiter.go | 0 .../go-git/v5/utils/merkletrie/filesystem/node.go | 0 .../go-git/v5/utils/merkletrie/index/node.go | 0 .../v5/utils/merkletrie/internal/frame/frame.go | 0 .../go-git/go-git/v5/utils/merkletrie/iter.go | 0 .../go-git/v5/utils/merkletrie/noder/noder.go | 0 .../go-git/v5/utils/merkletrie/noder/path.go | 0 vendor/github.com/go-git/go-git/v5/worktree.go | 0 vendor/github.com/go-git/go-git/v5/worktree_bsd.go | 0 .../github.com/go-git/go-git/v5/worktree_commit.go | 0 .../github.com/go-git/go-git/v5/worktree_linux.go | 0 .../github.com/go-git/go-git/v5/worktree_plan9.go | 0 .../github.com/go-git/go-git/v5/worktree_status.go | 0 .../go-git/go-git/v5/worktree_unix_other.go | 0 .../go-git/go-git/v5/worktree_windows.go | 0 .../cron/v3 => go-http-utils/headers}/.gitignore | 2 + .../github.com/go-http-utils/headers/.travis.yml | 11 + vendor/github.com/go-http-utils/headers/LICENSE | 21 + vendor/github.com/go-http-utils/headers/README.md | 34 ++ vendor/github.com/go-http-utils/headers/headers.go | 95 +++++ vendor/github.com/go-ini/ini/.gitignore | 0 vendor/github.com/go-ini/ini/LICENSE | 0 vendor/github.com/go-ini/ini/Makefile | 0 vendor/github.com/go-ini/ini/README.md | 0 vendor/github.com/go-ini/ini/codecov.yml | 0 vendor/github.com/go-ini/ini/data_source.go | 0 vendor/github.com/go-ini/ini/deprecated.go | 0 vendor/github.com/go-ini/ini/error.go | 0 vendor/github.com/go-ini/ini/file.go | 0 vendor/github.com/go-ini/ini/helper.go | 0 vendor/github.com/go-ini/ini/ini.go | 0 vendor/github.com/go-ini/ini/key.go | 0 vendor/github.com/go-ini/ini/parser.go | 0 vendor/github.com/go-ini/ini/section.go | 0 vendor/github.com/go-ini/ini/struct.go | 0 vendor/github.com/go-macaron/auth/LICENSE | 0 vendor/github.com/go-macaron/auth/README.md | 0 vendor/github.com/go-macaron/auth/basic.go | 0 vendor/github.com/go-macaron/auth/bearer.go | 0 vendor/github.com/go-macaron/auth/util.go | 0 vendor/github.com/go-macaron/auth/wercker.yml | 0 vendor/github.com/go-macaron/inject/.travis.yml | 0 vendor/github.com/go-macaron/inject/LICENSE | 0 vendor/github.com/go-macaron/inject/README.md | 0 vendor/github.com/go-macaron/inject/inject.go | 0 vendor/github.com/go-openapi/analysis/.codecov.yml | 0 vendor/github.com/go-openapi/analysis/.gitignore | 0 .../github.com/go-openapi/analysis/.golangci.yml | 0 vendor/github.com/go-openapi/analysis/.travis.yml | 0 .../go-openapi/analysis/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/analysis/LICENSE | 0 vendor/github.com/go-openapi/analysis/README.md | 0 vendor/github.com/go-openapi/analysis/analyzer.go | 0 vendor/github.com/go-openapi/analysis/appveyor.yml | 0 vendor/github.com/go-openapi/analysis/debug.go | 0 vendor/github.com/go-openapi/analysis/doc.go | 0 vendor/github.com/go-openapi/analysis/fixer.go | 0 vendor/github.com/go-openapi/analysis/flatten.go | 0 vendor/github.com/go-openapi/analysis/go.mod | 0 vendor/github.com/go-openapi/analysis/go.sum | 0 .../go-openapi/analysis/internal/post_go18.go | 0 .../go-openapi/analysis/internal/pre_go18.go | 0 vendor/github.com/go-openapi/analysis/mixin.go | 0 vendor/github.com/go-openapi/analysis/schema.go | 0 vendor/github.com/go-openapi/errors/.gitignore | 0 vendor/github.com/go-openapi/errors/.golangci.yml | 0 vendor/github.com/go-openapi/errors/.travis.yml | 0 .../go-openapi/errors/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/errors/LICENSE | 0 vendor/github.com/go-openapi/errors/README.md | 0 vendor/github.com/go-openapi/errors/api.go | 0 vendor/github.com/go-openapi/errors/auth.go | 0 vendor/github.com/go-openapi/errors/doc.go | 0 vendor/github.com/go-openapi/errors/go.mod | 0 vendor/github.com/go-openapi/errors/go.sum | 0 vendor/github.com/go-openapi/errors/headers.go | 0 vendor/github.com/go-openapi/errors/middleware.go | 0 vendor/github.com/go-openapi/errors/parsing.go | 0 vendor/github.com/go-openapi/errors/schema.go | 0 vendor/github.com/go-openapi/inflect/.hgignore | 0 vendor/github.com/go-openapi/inflect/LICENCE | 0 vendor/github.com/go-openapi/inflect/README | 0 vendor/github.com/go-openapi/inflect/go.mod | 0 vendor/github.com/go-openapi/inflect/inflect.go | 0 .../go-openapi/jsonpointer/.editorconfig | 0 .../github.com/go-openapi/jsonpointer/.gitignore | 0 .../github.com/go-openapi/jsonpointer/.travis.yml | 0 .../go-openapi/jsonpointer/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/jsonpointer/LICENSE | 0 vendor/github.com/go-openapi/jsonpointer/README.md | 0 vendor/github.com/go-openapi/jsonpointer/go.mod | 0 vendor/github.com/go-openapi/jsonpointer/go.sum | 0 .../github.com/go-openapi/jsonpointer/pointer.go | 0 .../github.com/go-openapi/jsonreference/.gitignore | 0 .../go-openapi/jsonreference/.travis.yml | 0 .../go-openapi/jsonreference/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/jsonreference/LICENSE | 0 .../github.com/go-openapi/jsonreference/README.md | 0 vendor/github.com/go-openapi/jsonreference/go.mod | 0 vendor/github.com/go-openapi/jsonreference/go.sum | 0 .../go-openapi/jsonreference/reference.go | 0 vendor/github.com/go-openapi/loads/.editorconfig | 0 vendor/github.com/go-openapi/loads/.gitignore | 0 vendor/github.com/go-openapi/loads/.golangci.yml | 0 vendor/github.com/go-openapi/loads/.travis.yml | 0 .../github.com/go-openapi/loads/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/loads/LICENSE | 0 vendor/github.com/go-openapi/loads/README.md | 0 vendor/github.com/go-openapi/loads/doc.go | 0 vendor/github.com/go-openapi/loads/fmts/yaml.go | 0 vendor/github.com/go-openapi/loads/go.mod | 0 vendor/github.com/go-openapi/loads/go.sum | 0 vendor/github.com/go-openapi/loads/spec.go | 0 vendor/github.com/go-openapi/runtime/.editorconfig | 0 vendor/github.com/go-openapi/runtime/.gitignore | 0 vendor/github.com/go-openapi/runtime/.travis.yml | 0 .../go-openapi/runtime/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/runtime/LICENSE | 0 vendor/github.com/go-openapi/runtime/README.md | 0 vendor/github.com/go-openapi/runtime/bytestream.go | 0 .../go-openapi/runtime/client_auth_info.go | 0 .../go-openapi/runtime/client_operation.go | 0 .../go-openapi/runtime/client_request.go | 0 .../go-openapi/runtime/client_response.go | 0 vendor/github.com/go-openapi/runtime/constants.go | 0 vendor/github.com/go-openapi/runtime/csv.go | 0 vendor/github.com/go-openapi/runtime/discard.go | 0 vendor/github.com/go-openapi/runtime/file.go | 0 vendor/github.com/go-openapi/runtime/go.mod | 0 vendor/github.com/go-openapi/runtime/go.sum | 0 vendor/github.com/go-openapi/runtime/headers.go | 0 vendor/github.com/go-openapi/runtime/interfaces.go | 0 vendor/github.com/go-openapi/runtime/json.go | 0 .../github.com/go-openapi/runtime/logger/logger.go | 0 .../go-openapi/runtime/logger/standard.go | 0 .../go-openapi/runtime/middleware/context.go | 0 .../go-openapi/runtime/middleware/denco/LICENSE | 0 .../go-openapi/runtime/middleware/denco/README.md | 0 .../go-openapi/runtime/middleware/denco/router.go | 0 .../go-openapi/runtime/middleware/denco/server.go | 0 .../go-openapi/runtime/middleware/denco/util.go | 0 .../go-openapi/runtime/middleware/doc.go | 0 .../go-openapi/runtime/middleware/go18.go | 0 .../go-openapi/runtime/middleware/header/header.go | 0 .../go-openapi/runtime/middleware/negotiate.go | 0 .../runtime/middleware/not_implemented.go | 0 .../go-openapi/runtime/middleware/operation.go | 0 .../go-openapi/runtime/middleware/parameter.go | 0 .../go-openapi/runtime/middleware/pre_go18.go | 0 .../go-openapi/runtime/middleware/redoc.go | 0 .../go-openapi/runtime/middleware/request.go | 0 .../go-openapi/runtime/middleware/router.go | 0 .../go-openapi/runtime/middleware/security.go | 0 .../go-openapi/runtime/middleware/spec.go | 0 .../go-openapi/runtime/middleware/untyped/api.go | 0 .../go-openapi/runtime/middleware/validation.go | 0 vendor/github.com/go-openapi/runtime/request.go | 0 .../go-openapi/runtime/security/authenticator.go | 0 .../go-openapi/runtime/security/authorizer.go | 0 vendor/github.com/go-openapi/runtime/statuses.go | 0 vendor/github.com/go-openapi/runtime/text.go | 0 vendor/github.com/go-openapi/runtime/values.go | 0 vendor/github.com/go-openapi/runtime/xml.go | 0 vendor/github.com/go-openapi/spec/.editorconfig | 0 vendor/github.com/go-openapi/spec/.gitignore | 0 vendor/github.com/go-openapi/spec/.golangci.yml | 0 vendor/github.com/go-openapi/spec/.travis.yml | 0 .../github.com/go-openapi/spec/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/spec/LICENSE | 0 vendor/github.com/go-openapi/spec/README.md | 0 vendor/github.com/go-openapi/spec/bindata.go | 0 vendor/github.com/go-openapi/spec/cache.go | 0 vendor/github.com/go-openapi/spec/contact_info.go | 0 vendor/github.com/go-openapi/spec/debug.go | 0 vendor/github.com/go-openapi/spec/expander.go | 0 vendor/github.com/go-openapi/spec/external_docs.go | 0 vendor/github.com/go-openapi/spec/go.mod | 0 vendor/github.com/go-openapi/spec/go.sum | 0 vendor/github.com/go-openapi/spec/header.go | 0 vendor/github.com/go-openapi/spec/info.go | 0 vendor/github.com/go-openapi/spec/items.go | 0 vendor/github.com/go-openapi/spec/license.go | 0 vendor/github.com/go-openapi/spec/normalizer.go | 0 vendor/github.com/go-openapi/spec/operation.go | 0 vendor/github.com/go-openapi/spec/parameter.go | 0 vendor/github.com/go-openapi/spec/path_item.go | 0 vendor/github.com/go-openapi/spec/paths.go | 0 vendor/github.com/go-openapi/spec/ref.go | 0 vendor/github.com/go-openapi/spec/response.go | 0 vendor/github.com/go-openapi/spec/responses.go | 0 vendor/github.com/go-openapi/spec/schema.go | 0 vendor/github.com/go-openapi/spec/schema_loader.go | 0 .../github.com/go-openapi/spec/security_scheme.go | 0 vendor/github.com/go-openapi/spec/spec.go | 0 vendor/github.com/go-openapi/spec/swagger.go | 0 vendor/github.com/go-openapi/spec/tag.go | 0 vendor/github.com/go-openapi/spec/unused.go | 0 vendor/github.com/go-openapi/spec/xml_object.go | 0 vendor/github.com/go-openapi/strfmt/.editorconfig | 0 vendor/github.com/go-openapi/strfmt/.gitignore | 0 vendor/github.com/go-openapi/strfmt/.golangci.yml | 0 vendor/github.com/go-openapi/strfmt/.travis.yml | 0 .../go-openapi/strfmt/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/strfmt/LICENSE | 0 vendor/github.com/go-openapi/strfmt/README.md | 0 vendor/github.com/go-openapi/strfmt/bson.go | 0 vendor/github.com/go-openapi/strfmt/date.go | 0 vendor/github.com/go-openapi/strfmt/default.go | 0 vendor/github.com/go-openapi/strfmt/doc.go | 0 vendor/github.com/go-openapi/strfmt/duration.go | 0 vendor/github.com/go-openapi/strfmt/format.go | 0 vendor/github.com/go-openapi/strfmt/go.mod | 0 vendor/github.com/go-openapi/strfmt/go.sum | 0 vendor/github.com/go-openapi/strfmt/time.go | 0 vendor/github.com/go-openapi/swag/.editorconfig | 0 vendor/github.com/go-openapi/swag/.gitignore | 0 vendor/github.com/go-openapi/swag/.golangci.yml | 0 vendor/github.com/go-openapi/swag/.travis.yml | 0 .../github.com/go-openapi/swag/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/swag/LICENSE | 0 vendor/github.com/go-openapi/swag/README.md | 0 vendor/github.com/go-openapi/swag/convert.go | 0 vendor/github.com/go-openapi/swag/convert_types.go | 0 vendor/github.com/go-openapi/swag/doc.go | 0 vendor/github.com/go-openapi/swag/go.mod | 0 vendor/github.com/go-openapi/swag/go.sum | 0 vendor/github.com/go-openapi/swag/json.go | 0 vendor/github.com/go-openapi/swag/loading.go | 0 vendor/github.com/go-openapi/swag/name_lexem.go | 0 vendor/github.com/go-openapi/swag/net.go | 0 vendor/github.com/go-openapi/swag/path.go | 0 vendor/github.com/go-openapi/swag/post_go18.go | 0 vendor/github.com/go-openapi/swag/post_go19.go | 0 vendor/github.com/go-openapi/swag/pre_go18.go | 0 vendor/github.com/go-openapi/swag/pre_go19.go | 0 vendor/github.com/go-openapi/swag/split.go | 0 vendor/github.com/go-openapi/swag/util.go | 0 vendor/github.com/go-openapi/swag/yaml.go | 0 .../github.com/go-openapi/validate/.editorconfig | 0 vendor/github.com/go-openapi/validate/.gitignore | 0 .../github.com/go-openapi/validate/.golangci.yml | 0 vendor/github.com/go-openapi/validate/.travis.yml | 0 .../go-openapi/validate/CODE_OF_CONDUCT.md | 0 vendor/github.com/go-openapi/validate/LICENSE | 0 vendor/github.com/go-openapi/validate/README.md | 0 vendor/github.com/go-openapi/validate/debug.go | 0 .../go-openapi/validate/default_validator.go | 0 vendor/github.com/go-openapi/validate/doc.go | 0 .../go-openapi/validate/example_validator.go | 0 vendor/github.com/go-openapi/validate/formats.go | 0 vendor/github.com/go-openapi/validate/go.mod | 0 vendor/github.com/go-openapi/validate/go.sum | 0 vendor/github.com/go-openapi/validate/helpers.go | 0 .../go-openapi/validate/object_validator.go | 0 vendor/github.com/go-openapi/validate/options.go | 0 vendor/github.com/go-openapi/validate/result.go | 0 vendor/github.com/go-openapi/validate/rexp.go | 0 vendor/github.com/go-openapi/validate/schema.go | 0 .../go-openapi/validate/schema_messages.go | 0 .../go-openapi/validate/schema_option.go | 0 .../github.com/go-openapi/validate/schema_props.go | 0 .../go-openapi/validate/slice_validator.go | 0 vendor/github.com/go-openapi/validate/spec.go | 0 .../go-openapi/validate/spec_messages.go | 0 vendor/github.com/go-openapi/validate/type.go | 0 .../go-openapi/validate/update-fixtures.sh | 0 vendor/github.com/go-openapi/validate/validator.go | 0 vendor/github.com/go-openapi/validate/values.go | 0 vendor/github.com/go-redis/redis/.gitignore | 0 vendor/github.com/go-redis/redis/.travis.yml | 0 vendor/github.com/go-redis/redis/CHANGELOG.md | 0 vendor/github.com/go-redis/redis/LICENSE | 0 vendor/github.com/go-redis/redis/Makefile | 0 vendor/github.com/go-redis/redis/README.md | 0 vendor/github.com/go-redis/redis/cluster.go | 0 .../github.com/go-redis/redis/cluster_commands.go | 0 vendor/github.com/go-redis/redis/command.go | 0 vendor/github.com/go-redis/redis/commands.go | 0 vendor/github.com/go-redis/redis/doc.go | 0 .../internal/consistenthash/consistenthash.go | 0 vendor/github.com/go-redis/redis/internal/error.go | 0 .../go-redis/redis/internal/hashtag/hashtag.go | 0 .../github.com/go-redis/redis/internal/internal.go | 0 vendor/github.com/go-redis/redis/internal/log.go | 0 vendor/github.com/go-redis/redis/internal/once.go | 0 .../go-redis/redis/internal/pool/conn.go | 0 .../go-redis/redis/internal/pool/pool.go | 0 .../go-redis/redis/internal/pool/pool_single.go | 0 .../go-redis/redis/internal/pool/pool_sticky.go | 0 .../go-redis/redis/internal/proto/reader.go | 0 .../go-redis/redis/internal/proto/scan.go | 0 .../go-redis/redis/internal/proto/writer.go | 0 vendor/github.com/go-redis/redis/internal/util.go | 0 .../go-redis/redis/internal/util/safe.go | 0 .../go-redis/redis/internal/util/strconv.go | 0 .../go-redis/redis/internal/util/unsafe.go | 0 vendor/github.com/go-redis/redis/iterator.go | 0 vendor/github.com/go-redis/redis/options.go | 0 vendor/github.com/go-redis/redis/pipeline.go | 0 vendor/github.com/go-redis/redis/pubsub.go | 0 vendor/github.com/go-redis/redis/redis.go | 0 vendor/github.com/go-redis/redis/result.go | 0 vendor/github.com/go-redis/redis/ring.go | 0 vendor/github.com/go-redis/redis/script.go | 0 vendor/github.com/go-redis/redis/sentinel.go | 0 vendor/github.com/go-redis/redis/tx.go | 0 vendor/github.com/go-redis/redis/universal.go | 0 vendor/github.com/go-resty/resty/v2/.gitignore | 0 vendor/github.com/go-resty/resty/v2/.travis.yml | 0 vendor/github.com/go-resty/resty/v2/BUILD.bazel | 0 vendor/github.com/go-resty/resty/v2/LICENSE | 0 vendor/github.com/go-resty/resty/v2/README.md | 0 vendor/github.com/go-resty/resty/v2/WORKSPACE | 0 vendor/github.com/go-resty/resty/v2/client.go | 0 vendor/github.com/go-resty/resty/v2/go.mod | 0 vendor/github.com/go-resty/resty/v2/middleware.go | 0 vendor/github.com/go-resty/resty/v2/redirect.go | 0 vendor/github.com/go-resty/resty/v2/request.go | 0 vendor/github.com/go-resty/resty/v2/response.go | 0 vendor/github.com/go-resty/resty/v2/resty.go | 0 vendor/github.com/go-resty/resty/v2/retry.go | 0 vendor/github.com/go-resty/resty/v2/trace.go | 0 vendor/github.com/go-resty/resty/v2/transport.go | 0 .../github.com/go-resty/resty/v2/transport112.go | 0 vendor/github.com/go-resty/resty/v2/util.go | 0 vendor/github.com/go-sql-driver/mysql/.gitignore | 0 vendor/github.com/go-sql-driver/mysql/.travis.yml | 0 vendor/github.com/go-sql-driver/mysql/AUTHORS | 0 vendor/github.com/go-sql-driver/mysql/CHANGELOG.md | 0 .../github.com/go-sql-driver/mysql/CONTRIBUTING.md | 0 vendor/github.com/go-sql-driver/mysql/LICENSE | 0 vendor/github.com/go-sql-driver/mysql/README.md | 0 vendor/github.com/go-sql-driver/mysql/appengine.go | 0 vendor/github.com/go-sql-driver/mysql/auth.go | 0 vendor/github.com/go-sql-driver/mysql/buffer.go | 0 .../github.com/go-sql-driver/mysql/collations.go | 0 .../github.com/go-sql-driver/mysql/connection.go | 0 .../go-sql-driver/mysql/connection_go18.go | 0 vendor/github.com/go-sql-driver/mysql/const.go | 0 vendor/github.com/go-sql-driver/mysql/driver.go | 0 vendor/github.com/go-sql-driver/mysql/dsn.go | 0 vendor/github.com/go-sql-driver/mysql/errors.go | 0 vendor/github.com/go-sql-driver/mysql/fields.go | 0 vendor/github.com/go-sql-driver/mysql/infile.go | 0 vendor/github.com/go-sql-driver/mysql/packets.go | 0 vendor/github.com/go-sql-driver/mysql/result.go | 0 vendor/github.com/go-sql-driver/mysql/rows.go | 0 vendor/github.com/go-sql-driver/mysql/statement.go | 0 .../github.com/go-sql-driver/mysql/transaction.go | 0 vendor/github.com/go-sql-driver/mysql/utils.go | 0 .../github.com/go-sql-driver/mysql/utils_go17.go | 0 .../github.com/go-sql-driver/mysql/utils_go18.go | 0 vendor/github.com/go-stack/stack/.travis.yml | 0 vendor/github.com/go-stack/stack/LICENSE.md | 0 vendor/github.com/go-stack/stack/README.md | 0 vendor/github.com/go-stack/stack/go.mod | 0 vendor/github.com/go-stack/stack/stack.go | 0 vendor/github.com/go-swagger/go-swagger/LICENSE | 0 .../go-swagger/go-swagger/cmd/swagger/.gitignore | 0 .../go-swagger/cmd/swagger/commands/diff.go | 0 .../cmd/swagger/commands/diff/array_diff.go | 0 .../cmd/swagger/commands/diff/compatibility.go | 0 .../swagger/commands/diff/difference_location.go | 0 .../cmd/swagger/commands/diff/difftypes.go | 0 .../go-swagger/cmd/swagger/commands/diff/node.go | 0 .../cmd/swagger/commands/diff/reporting.go | 0 .../cmd/swagger/commands/diff/spec_analyser.go | 0 .../cmd/swagger/commands/diff/spec_difference.go | 0 .../cmd/swagger/commands/diff/type_adapters.go | 0 .../go-swagger/cmd/swagger/commands/expand.go | 0 .../go-swagger/cmd/swagger/commands/flatten.go | 0 .../go-swagger/cmd/swagger/commands/generate.go | 0 .../cmd/swagger/commands/generate/client.go | 0 .../cmd/swagger/commands/generate/contrib.go | 0 .../cmd/swagger/commands/generate/model.go | 0 .../cmd/swagger/commands/generate/operation.go | 0 .../cmd/swagger/commands/generate/server.go | 0 .../cmd/swagger/commands/generate/shared.go | 0 .../cmd/swagger/commands/generate/spec.go | 0 .../cmd/swagger/commands/generate/spec_go111.go | 0 .../cmd/swagger/commands/generate/support.go | 0 .../go-swagger/cmd/swagger/commands/initcmd.go | 0 .../cmd/swagger/commands/initcmd/spec.go | 0 .../go-swagger/cmd/swagger/commands/mixin.go | 0 .../go-swagger/cmd/swagger/commands/serve.go | 0 .../go-swagger/cmd/swagger/commands/validate.go | 0 .../go-swagger/cmd/swagger/commands/version.go | 0 .../go-swagger/go-swagger/cmd/swagger/swagger.go | 0 .../go-swagger/go-swagger/codescan/application.go | 0 .../go-swagger/go-swagger/codescan/meta.go | 0 .../go-swagger/go-swagger/codescan/operations.go | 0 .../go-swagger/go-swagger/codescan/parameters.go | 0 .../go-swagger/go-swagger/codescan/parser.go | 0 .../go-swagger/go-swagger/codescan/regexprs.go | 0 .../go-swagger/go-swagger/codescan/responses.go | 0 .../go-swagger/go-swagger/codescan/route_params.go | 0 .../go-swagger/go-swagger/codescan/routes.go | 0 .../go-swagger/go-swagger/codescan/schema.go | 0 .../go-swagger/go-swagger/codescan/spec.go | 0 .../go-swagger/go-swagger/generator/bindata.go | 0 .../go-swagger/go-swagger/generator/client.go | 0 .../go-swagger/go-swagger/generator/config.go | 0 .../go-swagger/go-swagger/generator/debug.go | 0 .../go-swagger/generator/discriminators.go | 0 .../go-swagger/go-swagger/generator/doc.go | 0 .../go-swagger/go-swagger/generator/formats.go | 0 .../go-swagger/go-swagger/generator/gen-debug.sh | 0 .../go-swagger/go-swagger/generator/model.go | 0 .../go-swagger/go-swagger/generator/operation.go | 0 .../go-swagger/go-swagger/generator/shared.go | 0 .../go-swagger/go-swagger/generator/structs.go | 0 .../go-swagger/go-swagger/generator/support.go | 0 .../go-swagger/generator/template_repo.go | 0 .../go-swagger/go-swagger/generator/types.go | 0 .../go-swagger/go-swagger/scan/classifier.go | 0 .../github.com/go-swagger/go-swagger/scan/doc.go | 0 .../github.com/go-swagger/go-swagger/scan/meta.go | 0 .../go-swagger/go-swagger/scan/operations.go | 0 .../go-swagger/go-swagger/scan/parameters.go | 0 .../github.com/go-swagger/go-swagger/scan/path.go | 0 .../go-swagger/go-swagger/scan/responses.go | 0 .../go-swagger/go-swagger/scan/route_params.go | 0 .../go-swagger/go-swagger/scan/routes.go | 0 .../go-swagger/go-swagger/scan/scanner.go | 0 .../go-swagger/go-swagger/scan/schema.go | 0 .../go-swagger/go-swagger/scan/validators.go | 0 vendor/github.com/gobwas/glob/.gitignore | 0 vendor/github.com/gobwas/glob/.travis.yml | 0 vendor/github.com/gobwas/glob/LICENSE | 0 vendor/github.com/gobwas/glob/bench.sh | 0 vendor/github.com/gobwas/glob/compiler/compiler.go | 0 vendor/github.com/gobwas/glob/glob.go | 0 vendor/github.com/gobwas/glob/match/any.go | 0 vendor/github.com/gobwas/glob/match/any_of.go | 0 vendor/github.com/gobwas/glob/match/btree.go | 0 vendor/github.com/gobwas/glob/match/contains.go | 0 vendor/github.com/gobwas/glob/match/every_of.go | 0 vendor/github.com/gobwas/glob/match/list.go | 0 vendor/github.com/gobwas/glob/match/match.go | 0 vendor/github.com/gobwas/glob/match/max.go | 0 vendor/github.com/gobwas/glob/match/min.go | 0 vendor/github.com/gobwas/glob/match/nothing.go | 0 vendor/github.com/gobwas/glob/match/prefix.go | 0 vendor/github.com/gobwas/glob/match/prefix_any.go | 0 .../github.com/gobwas/glob/match/prefix_suffix.go | 0 vendor/github.com/gobwas/glob/match/range.go | 0 vendor/github.com/gobwas/glob/match/row.go | 0 vendor/github.com/gobwas/glob/match/segments.go | 0 vendor/github.com/gobwas/glob/match/single.go | 0 vendor/github.com/gobwas/glob/match/suffix.go | 0 vendor/github.com/gobwas/glob/match/suffix_any.go | 0 vendor/github.com/gobwas/glob/match/super.go | 0 vendor/github.com/gobwas/glob/match/text.go | 0 vendor/github.com/gobwas/glob/readme.md | 0 vendor/github.com/gobwas/glob/syntax/ast/ast.go | 0 vendor/github.com/gobwas/glob/syntax/ast/parser.go | 0 .../github.com/gobwas/glob/syntax/lexer/lexer.go | 0 .../github.com/gobwas/glob/syntax/lexer/token.go | 0 vendor/github.com/gobwas/glob/syntax/syntax.go | 0 vendor/github.com/gobwas/glob/util/runes/runes.go | 0 .../github.com/gobwas/glob/util/strings/strings.go | 0 vendor/github.com/gogs/chardet/2022.go | 0 vendor/github.com/gogs/chardet/AUTHORS | 0 vendor/github.com/gogs/chardet/LICENSE | 0 vendor/github.com/gogs/chardet/README.md | 0 vendor/github.com/gogs/chardet/detector.go | 0 vendor/github.com/gogs/chardet/go.mod | 0 vendor/github.com/gogs/chardet/icu-license.html | 0 vendor/github.com/gogs/chardet/multi_byte.go | 0 vendor/github.com/gogs/chardet/recognizer.go | 0 vendor/github.com/gogs/chardet/single_byte.go | 0 vendor/github.com/gogs/chardet/unicode.go | 0 vendor/github.com/gogs/chardet/utf8.go | 0 vendor/github.com/gogs/cron/.gitignore | 0 vendor/github.com/gogs/cron/.travis.yml | 0 vendor/github.com/gogs/cron/LICENSE | 0 vendor/github.com/gogs/cron/README.md | 0 vendor/github.com/gogs/cron/constantdelay.go | 0 vendor/github.com/gogs/cron/cron.go | 0 vendor/github.com/gogs/cron/doc.go | 0 vendor/github.com/gogs/cron/parser.go | 0 vendor/github.com/gogs/cron/spec.go | 0 vendor/github.com/golang-sql/civil/CONTRIBUTING.md | 0 vendor/github.com/golang-sql/civil/LICENSE | 0 vendor/github.com/golang-sql/civil/README.md | 0 vendor/github.com/golang-sql/civil/civil.go | 0 vendor/github.com/golang/groupcache/LICENSE | 0 vendor/github.com/golang/groupcache/lru/lru.go | 0 vendor/github.com/golang/protobuf/AUTHORS | 0 vendor/github.com/golang/protobuf/CONTRIBUTORS | 0 vendor/github.com/golang/protobuf/LICENSE | 0 vendor/github.com/golang/protobuf/proto/buffer.go | 0 .../github.com/golang/protobuf/proto/defaults.go | 0 .../github.com/golang/protobuf/proto/deprecated.go | 0 vendor/github.com/golang/protobuf/proto/discard.go | 0 .../github.com/golang/protobuf/proto/extensions.go | 0 .../github.com/golang/protobuf/proto/properties.go | 0 vendor/github.com/golang/protobuf/proto/proto.go | 0 .../github.com/golang/protobuf/proto/registry.go | 0 .../golang/protobuf/proto/text_decode.go | 0 .../golang/protobuf/proto/text_encode.go | 0 vendor/github.com/golang/protobuf/proto/wire.go | 0 .../github.com/golang/protobuf/proto/wrappers.go | 0 .../protoc-gen-go/descriptor/descriptor.pb.go | 0 vendor/github.com/golang/protobuf/ptypes/any.go | 0 .../golang/protobuf/ptypes/any/any.pb.go | 0 vendor/github.com/golang/protobuf/ptypes/doc.go | 0 .../github.com/golang/protobuf/ptypes/duration.go | 0 .../golang/protobuf/ptypes/duration/duration.pb.go | 0 .../golang/protobuf/ptypes/empty/empty.pb.go | 0 .../github.com/golang/protobuf/ptypes/timestamp.go | 0 .../protobuf/ptypes/timestamp/timestamp.pb.go | 0 vendor/github.com/golang/snappy/.gitignore | 0 vendor/github.com/golang/snappy/AUTHORS | 0 vendor/github.com/golang/snappy/CONTRIBUTORS | 0 vendor/github.com/golang/snappy/LICENSE | 0 vendor/github.com/golang/snappy/README | 0 vendor/github.com/golang/snappy/decode.go | 0 vendor/github.com/golang/snappy/decode_amd64.go | 0 vendor/github.com/golang/snappy/decode_amd64.s | 0 vendor/github.com/golang/snappy/decode_other.go | 0 vendor/github.com/golang/snappy/encode.go | 0 vendor/github.com/golang/snappy/encode_amd64.go | 0 vendor/github.com/golang/snappy/encode_amd64.s | 0 vendor/github.com/golang/snappy/encode_other.go | 0 vendor/github.com/golang/snappy/go.mod | 0 vendor/github.com/golang/snappy/snappy.go | 0 vendor/github.com/gomodule/redigo/LICENSE | 0 .../gomodule/redigo/internal/commandinfo.go | 0 vendor/github.com/gomodule/redigo/redis/conn.go | 0 vendor/github.com/gomodule/redigo/redis/doc.go | 0 vendor/github.com/gomodule/redigo/redis/go16.go | 0 vendor/github.com/gomodule/redigo/redis/go17.go | 0 vendor/github.com/gomodule/redigo/redis/go18.go | 0 vendor/github.com/gomodule/redigo/redis/log.go | 0 vendor/github.com/gomodule/redigo/redis/pool.go | 0 vendor/github.com/gomodule/redigo/redis/pool17.go | 0 vendor/github.com/gomodule/redigo/redis/pubsub.go | 0 vendor/github.com/gomodule/redigo/redis/redis.go | 0 vendor/github.com/gomodule/redigo/redis/reply.go | 0 vendor/github.com/gomodule/redigo/redis/scan.go | 0 vendor/github.com/gomodule/redigo/redis/script.go | 0 vendor/github.com/google/go-github/v24/AUTHORS | 0 vendor/github.com/google/go-github/v24/LICENSE | 0 .../google/go-github/v24/github/activity.go | 0 .../google/go-github/v24/github/activity_events.go | 0 .../go-github/v24/github/activity_notifications.go | 0 .../google/go-github/v24/github/activity_star.go | 0 .../go-github/v24/github/activity_watching.go | 0 .../google/go-github/v24/github/admin.go | 0 .../google/go-github/v24/github/admin_stats.go | 0 .../github.com/google/go-github/v24/github/apps.go | 0 .../go-github/v24/github/apps_installation.go | 0 .../go-github/v24/github/apps_marketplace.go | 0 .../google/go-github/v24/github/authorizations.go | 0 .../google/go-github/v24/github/checks.go | 0 .../github.com/google/go-github/v24/github/doc.go | 0 .../google/go-github/v24/github/event.go | 0 .../google/go-github/v24/github/event_types.go | 0 .../google/go-github/v24/github/gists.go | 0 .../google/go-github/v24/github/gists_comments.go | 0 .../github.com/google/go-github/v24/github/git.go | 0 .../google/go-github/v24/github/git_blobs.go | 0 .../google/go-github/v24/github/git_commits.go | 0 .../google/go-github/v24/github/git_refs.go | 0 .../google/go-github/v24/github/git_tags.go | 0 .../google/go-github/v24/github/git_trees.go | 0 .../go-github/v24/github/github-accessors.go | 0 .../google/go-github/v24/github/github.go | 0 .../google/go-github/v24/github/gitignore.go | 0 .../google/go-github/v24/github/interactions.go | 0 .../go-github/v24/github/interactions_orgs.go | 0 .../go-github/v24/github/interactions_repos.go | 0 .../google/go-github/v24/github/issues.go | 0 .../go-github/v24/github/issues_assignees.go | 0 .../google/go-github/v24/github/issues_comments.go | 0 .../google/go-github/v24/github/issues_events.go | 0 .../google/go-github/v24/github/issues_labels.go | 0 .../go-github/v24/github/issues_milestones.go | 0 .../google/go-github/v24/github/issues_timeline.go | 0 .../google/go-github/v24/github/licenses.go | 0 .../google/go-github/v24/github/messages.go | 0 .../google/go-github/v24/github/migrations.go | 0 .../v24/github/migrations_source_import.go | 0 .../google/go-github/v24/github/migrations_user.go | 0 .../github.com/google/go-github/v24/github/misc.go | 0 .../github.com/google/go-github/v24/github/orgs.go | 0 .../google/go-github/v24/github/orgs_hooks.go | 0 .../google/go-github/v24/github/orgs_members.go | 0 .../v24/github/orgs_outside_collaborators.go | 0 .../google/go-github/v24/github/orgs_projects.go | 0 .../go-github/v24/github/orgs_users_blocking.go | 0 .../google/go-github/v24/github/projects.go | 0 .../google/go-github/v24/github/pulls.go | 0 .../google/go-github/v24/github/pulls_comments.go | 0 .../google/go-github/v24/github/pulls_reviewers.go | 0 .../google/go-github/v24/github/pulls_reviews.go | 0 .../google/go-github/v24/github/reactions.go | 0 .../google/go-github/v24/github/repos.go | 0 .../go-github/v24/github/repos_collaborators.go | 0 .../google/go-github/v24/github/repos_comments.go | 0 .../google/go-github/v24/github/repos_commits.go | 0 .../go-github/v24/github/repos_community_health.go | 0 .../google/go-github/v24/github/repos_contents.go | 0 .../go-github/v24/github/repos_deployments.go | 0 .../google/go-github/v24/github/repos_forks.go | 0 .../google/go-github/v24/github/repos_hooks.go | 0 .../go-github/v24/github/repos_invitations.go | 0 .../google/go-github/v24/github/repos_keys.go | 0 .../google/go-github/v24/github/repos_merging.go | 0 .../google/go-github/v24/github/repos_pages.go | 0 .../go-github/v24/github/repos_prereceive_hooks.go | 0 .../google/go-github/v24/github/repos_projects.go | 0 .../google/go-github/v24/github/repos_releases.go | 0 .../google/go-github/v24/github/repos_stats.go | 0 .../google/go-github/v24/github/repos_statuses.go | 0 .../google/go-github/v24/github/repos_traffic.go | 0 .../google/go-github/v24/github/search.go | 0 .../google/go-github/v24/github/strings.go | 0 .../google/go-github/v24/github/teams.go | 0 .../v24/github/teams_discussion_comments.go | 0 .../go-github/v24/github/teams_discussions.go | 0 .../google/go-github/v24/github/teams_members.go | 0 .../google/go-github/v24/github/timestamp.go | 0 .../google/go-github/v24/github/users.go | 0 .../go-github/v24/github/users_administration.go | 0 .../google/go-github/v24/github/users_blocking.go | 0 .../google/go-github/v24/github/users_emails.go | 0 .../google/go-github/v24/github/users_followers.go | 0 .../google/go-github/v24/github/users_gpg_keys.go | 0 .../google/go-github/v24/github/users_keys.go | 0 .../google/go-github/v24/github/with_appengine.go | 0 .../go-github/v24/github/without_appengine.go | 0 vendor/github.com/google/go-querystring/LICENSE | 0 .../google/go-querystring/query/encode.go | 0 vendor/github.com/google/uuid/.travis.yml | 0 vendor/github.com/google/uuid/CONTRIBUTING.md | 0 vendor/github.com/google/uuid/CONTRIBUTORS | 0 vendor/github.com/google/uuid/LICENSE | 0 vendor/github.com/google/uuid/README.md | 0 vendor/github.com/google/uuid/dce.go | 0 vendor/github.com/google/uuid/doc.go | 0 vendor/github.com/google/uuid/go.mod | 0 vendor/github.com/google/uuid/hash.go | 0 vendor/github.com/google/uuid/marshal.go | 0 vendor/github.com/google/uuid/node.go | 0 vendor/github.com/google/uuid/node_js.go | 0 vendor/github.com/google/uuid/node_net.go | 0 vendor/github.com/google/uuid/sql.go | 0 vendor/github.com/google/uuid/time.go | 0 vendor/github.com/google/uuid/util.go | 0 vendor/github.com/google/uuid/uuid.go | 0 vendor/github.com/google/uuid/version1.go | 0 vendor/github.com/google/uuid/version4.go | 0 vendor/github.com/googleapis/gax-go/v2/LICENSE | 0 .../github.com/googleapis/gax-go/v2/call_option.go | 0 vendor/github.com/googleapis/gax-go/v2/gax.go | 0 vendor/github.com/googleapis/gax-go/v2/go.mod | 0 vendor/github.com/googleapis/gax-go/v2/go.sum | 0 vendor/github.com/googleapis/gax-go/v2/header.go | 0 vendor/github.com/googleapis/gax-go/v2/invoke.go | 0 vendor/github.com/gorilla/context/.travis.yml | 0 vendor/github.com/gorilla/context/LICENSE | 0 vendor/github.com/gorilla/context/README.md | 0 vendor/github.com/gorilla/context/context.go | 0 vendor/github.com/gorilla/context/doc.go | 0 vendor/github.com/gorilla/css/LICENSE | 0 vendor/github.com/gorilla/css/scanner/doc.go | 0 vendor/github.com/gorilla/css/scanner/scanner.go | 0 vendor/github.com/gorilla/handlers/LICENSE | 0 vendor/github.com/gorilla/handlers/README.md | 0 vendor/github.com/gorilla/handlers/canonical.go | 0 vendor/github.com/gorilla/handlers/compress.go | 0 vendor/github.com/gorilla/handlers/cors.go | 0 vendor/github.com/gorilla/handlers/doc.go | 0 vendor/github.com/gorilla/handlers/go.mod | 0 vendor/github.com/gorilla/handlers/handlers.go | 0 .../github.com/gorilla/handlers/handlers_go18.go | 0 .../github.com/gorilla/handlers/handlers_pre18.go | 0 vendor/github.com/gorilla/handlers/logging.go | 0 .../github.com/gorilla/handlers/proxy_headers.go | 0 vendor/github.com/gorilla/handlers/recovery.go | 0 vendor/github.com/gorilla/mux/.travis.yml | 0 vendor/github.com/gorilla/mux/ISSUE_TEMPLATE.md | 0 vendor/github.com/gorilla/mux/LICENSE | 0 vendor/github.com/gorilla/mux/README.md | 0 vendor/github.com/gorilla/mux/context_gorilla.go | 0 vendor/github.com/gorilla/mux/context_native.go | 0 vendor/github.com/gorilla/mux/doc.go | 0 vendor/github.com/gorilla/mux/middleware.go | 0 vendor/github.com/gorilla/mux/mux.go | 0 vendor/github.com/gorilla/mux/regexp.go | 0 vendor/github.com/gorilla/mux/route.go | 0 vendor/github.com/gorilla/mux/test_helpers.go | 0 vendor/github.com/gorilla/securecookie/.travis.yml | 0 vendor/github.com/gorilla/securecookie/LICENSE | 0 vendor/github.com/gorilla/securecookie/README.md | 0 vendor/github.com/gorilla/securecookie/doc.go | 0 vendor/github.com/gorilla/securecookie/fuzz.go | 0 .../gorilla/securecookie/securecookie.go | 0 vendor/github.com/gorilla/sessions/AUTHORS | 0 vendor/github.com/gorilla/sessions/LICENSE | 0 vendor/github.com/gorilla/sessions/README.md | 0 vendor/github.com/gorilla/sessions/cookie.go | 0 vendor/github.com/gorilla/sessions/cookie_go111.go | 0 vendor/github.com/gorilla/sessions/doc.go | 0 vendor/github.com/gorilla/sessions/go.mod | 0 vendor/github.com/gorilla/sessions/go.sum | 0 vendor/github.com/gorilla/sessions/lex.go | 0 vendor/github.com/gorilla/sessions/options.go | 0 .../github.com/gorilla/sessions/options_go111.go | 0 vendor/github.com/gorilla/sessions/sessions.go | 0 vendor/github.com/gorilla/sessions/store.go | 0 vendor/github.com/gorilla/websocket/.gitignore | 0 vendor/github.com/gorilla/websocket/.travis.yml | 0 vendor/github.com/gorilla/websocket/AUTHORS | 0 vendor/github.com/gorilla/websocket/LICENSE | 0 vendor/github.com/gorilla/websocket/README.md | 0 vendor/github.com/gorilla/websocket/client.go | 0 .../github.com/gorilla/websocket/client_clone.go | 0 .../gorilla/websocket/client_clone_legacy.go | 0 vendor/github.com/gorilla/websocket/compression.go | 0 vendor/github.com/gorilla/websocket/conn.go | 0 vendor/github.com/gorilla/websocket/conn_write.go | 0 .../gorilla/websocket/conn_write_legacy.go | 0 vendor/github.com/gorilla/websocket/doc.go | 0 vendor/github.com/gorilla/websocket/json.go | 0 vendor/github.com/gorilla/websocket/mask.go | 0 vendor/github.com/gorilla/websocket/mask_safe.go | 0 vendor/github.com/gorilla/websocket/prepared.go | 0 vendor/github.com/gorilla/websocket/proxy.go | 0 vendor/github.com/gorilla/websocket/server.go | 0 vendor/github.com/gorilla/websocket/trace.go | 0 vendor/github.com/gorilla/websocket/trace_17.go | 0 vendor/github.com/gorilla/websocket/util.go | 0 vendor/github.com/gorilla/websocket/x_net_proxy.go | 0 vendor/github.com/hashicorp/go-cleanhttp/LICENSE | 0 vendor/github.com/hashicorp/go-cleanhttp/README.md | 0 .../github.com/hashicorp/go-cleanhttp/cleanhttp.go | 0 vendor/github.com/hashicorp/go-cleanhttp/doc.go | 0 vendor/github.com/hashicorp/go-cleanhttp/go.mod | 0 .../github.com/hashicorp/go-cleanhttp/handlers.go | 0 .../hashicorp/go-retryablehttp/.gitignore | 0 .../hashicorp/go-retryablehttp/.travis.yml | 0 .../github.com/hashicorp/go-retryablehttp/LICENSE | 0 .../github.com/hashicorp/go-retryablehttp/Makefile | 0 .../hashicorp/go-retryablehttp/README.md | 0 .../hashicorp/go-retryablehttp/client.go | 0 .../github.com/hashicorp/go-retryablehttp/go.mod | 0 .../github.com/hashicorp/go-retryablehttp/go.sum | 0 .../hashicorp/go-retryablehttp/roundtripper.go | 0 vendor/github.com/hashicorp/hcl/.gitignore | 0 vendor/github.com/hashicorp/hcl/.travis.yml | 0 vendor/github.com/hashicorp/hcl/LICENSE | 0 vendor/github.com/hashicorp/hcl/Makefile | 0 vendor/github.com/hashicorp/hcl/README.md | 0 vendor/github.com/hashicorp/hcl/appveyor.yml | 0 vendor/github.com/hashicorp/hcl/decoder.go | 0 vendor/github.com/hashicorp/hcl/go.mod | 0 vendor/github.com/hashicorp/hcl/go.sum | 0 vendor/github.com/hashicorp/hcl/hcl.go | 0 vendor/github.com/hashicorp/hcl/hcl/ast/ast.go | 0 vendor/github.com/hashicorp/hcl/hcl/ast/walk.go | 0 .../github.com/hashicorp/hcl/hcl/parser/error.go | 0 .../github.com/hashicorp/hcl/hcl/parser/parser.go | 0 .../github.com/hashicorp/hcl/hcl/printer/nodes.go | 0 .../hashicorp/hcl/hcl/printer/printer.go | 0 .../hashicorp/hcl/hcl/scanner/scanner.go | 0 .../github.com/hashicorp/hcl/hcl/strconv/quote.go | 0 .../github.com/hashicorp/hcl/hcl/token/position.go | 0 vendor/github.com/hashicorp/hcl/hcl/token/token.go | 0 .../hashicorp/hcl/json/parser/flatten.go | 0 .../github.com/hashicorp/hcl/json/parser/parser.go | 0 .../hashicorp/hcl/json/scanner/scanner.go | 0 .../hashicorp/hcl/json/token/position.go | 0 .../github.com/hashicorp/hcl/json/token/token.go | 0 vendor/github.com/hashicorp/hcl/lex.go | 0 vendor/github.com/hashicorp/hcl/parse.go | 0 vendor/github.com/huandu/xstrings/.gitignore | 0 vendor/github.com/huandu/xstrings/.travis.yml | 0 vendor/github.com/huandu/xstrings/CONTRIBUTING.md | 0 vendor/github.com/huandu/xstrings/LICENSE | 0 vendor/github.com/huandu/xstrings/README.md | 0 vendor/github.com/huandu/xstrings/common.go | 0 vendor/github.com/huandu/xstrings/convert.go | 0 vendor/github.com/huandu/xstrings/count.go | 0 vendor/github.com/huandu/xstrings/doc.go | 0 vendor/github.com/huandu/xstrings/format.go | 0 vendor/github.com/huandu/xstrings/go.mod | 0 vendor/github.com/huandu/xstrings/manipulate.go | 0 vendor/github.com/huandu/xstrings/translate.go | 0 vendor/github.com/issue9/identicon/.gitignore | 0 vendor/github.com/issue9/identicon/.travis.yml | 0 vendor/github.com/issue9/identicon/LICENSE | 0 vendor/github.com/issue9/identicon/README.md | 0 vendor/github.com/issue9/identicon/block.go | 0 vendor/github.com/issue9/identicon/doc.go | 0 vendor/github.com/issue9/identicon/go.mod | 0 vendor/github.com/issue9/identicon/go.sum | 0 vendor/github.com/issue9/identicon/identicon.go | 0 vendor/github.com/issue9/identicon/polygon.go | 0 vendor/github.com/jaytaylor/html2text/.gitignore | 0 vendor/github.com/jaytaylor/html2text/.travis.yml | 0 vendor/github.com/jaytaylor/html2text/LICENSE | 0 vendor/github.com/jaytaylor/html2text/README.md | 0 vendor/github.com/jaytaylor/html2text/html2text.go | 0 vendor/github.com/jbenet/go-context/LICENSE | 0 vendor/github.com/jbenet/go-context/io/ctxio.go | 0 vendor/github.com/jessevdk/go-flags/.travis.yml | 0 vendor/github.com/jessevdk/go-flags/LICENSE | 0 vendor/github.com/jessevdk/go-flags/README.md | 0 vendor/github.com/jessevdk/go-flags/arg.go | 0 .../jessevdk/go-flags/check_crosscompile.sh | 0 vendor/github.com/jessevdk/go-flags/closest.go | 0 vendor/github.com/jessevdk/go-flags/command.go | 0 vendor/github.com/jessevdk/go-flags/completion.go | 0 vendor/github.com/jessevdk/go-flags/convert.go | 0 vendor/github.com/jessevdk/go-flags/error.go | 0 vendor/github.com/jessevdk/go-flags/flags.go | 0 vendor/github.com/jessevdk/go-flags/group.go | 0 vendor/github.com/jessevdk/go-flags/help.go | 0 vendor/github.com/jessevdk/go-flags/ini.go | 0 vendor/github.com/jessevdk/go-flags/man.go | 0 vendor/github.com/jessevdk/go-flags/multitag.go | 0 vendor/github.com/jessevdk/go-flags/option.go | 0 .../github.com/jessevdk/go-flags/optstyle_other.go | 0 .../jessevdk/go-flags/optstyle_windows.go | 0 vendor/github.com/jessevdk/go-flags/parser.go | 0 vendor/github.com/jessevdk/go-flags/termsize.go | 0 .../jessevdk/go-flags/termsize_nosysioctl.go | 0 .../jessevdk/go-flags/tiocgwinsz_bsdish.go | 0 .../jessevdk/go-flags/tiocgwinsz_linux.go | 0 .../jessevdk/go-flags/tiocgwinsz_other.go | 0 vendor/github.com/jmespath/go-jmespath/.gitignore | 0 vendor/github.com/jmespath/go-jmespath/.travis.yml | 0 vendor/github.com/jmespath/go-jmespath/LICENSE | 0 vendor/github.com/jmespath/go-jmespath/Makefile | 0 vendor/github.com/jmespath/go-jmespath/README.md | 0 vendor/github.com/jmespath/go-jmespath/api.go | 0 .../jmespath/go-jmespath/astnodetype_string.go | 0 .../github.com/jmespath/go-jmespath/functions.go | 0 .../github.com/jmespath/go-jmespath/interpreter.go | 0 vendor/github.com/jmespath/go-jmespath/lexer.go | 0 vendor/github.com/jmespath/go-jmespath/parser.go | 0 .../jmespath/go-jmespath/toktype_string.go | 0 vendor/github.com/jmespath/go-jmespath/util.go | 0 vendor/github.com/json-iterator/go/.codecov.yml | 0 vendor/github.com/json-iterator/go/.gitignore | 0 vendor/github.com/json-iterator/go/.travis.yml | 0 vendor/github.com/json-iterator/go/Gopkg.lock | 0 vendor/github.com/json-iterator/go/Gopkg.toml | 0 vendor/github.com/json-iterator/go/LICENSE | 0 vendor/github.com/json-iterator/go/README.md | 0 vendor/github.com/json-iterator/go/adapter.go | 0 vendor/github.com/json-iterator/go/any.go | 0 vendor/github.com/json-iterator/go/any_array.go | 0 vendor/github.com/json-iterator/go/any_bool.go | 0 vendor/github.com/json-iterator/go/any_float.go | 0 vendor/github.com/json-iterator/go/any_int32.go | 0 vendor/github.com/json-iterator/go/any_int64.go | 0 vendor/github.com/json-iterator/go/any_invalid.go | 0 vendor/github.com/json-iterator/go/any_nil.go | 0 vendor/github.com/json-iterator/go/any_number.go | 0 vendor/github.com/json-iterator/go/any_object.go | 0 vendor/github.com/json-iterator/go/any_str.go | 0 vendor/github.com/json-iterator/go/any_uint32.go | 0 vendor/github.com/json-iterator/go/any_uint64.go | 0 vendor/github.com/json-iterator/go/build.sh | 0 vendor/github.com/json-iterator/go/config.go | 0 .../json-iterator/go/fuzzy_mode_convert_table.md | 0 vendor/github.com/json-iterator/go/go.mod | 0 vendor/github.com/json-iterator/go/go.sum | 0 vendor/github.com/json-iterator/go/iter.go | 0 vendor/github.com/json-iterator/go/iter_array.go | 0 vendor/github.com/json-iterator/go/iter_float.go | 0 vendor/github.com/json-iterator/go/iter_int.go | 0 vendor/github.com/json-iterator/go/iter_object.go | 0 vendor/github.com/json-iterator/go/iter_skip.go | 0 .../json-iterator/go/iter_skip_sloppy.go | 0 .../json-iterator/go/iter_skip_strict.go | 0 vendor/github.com/json-iterator/go/iter_str.go | 0 vendor/github.com/json-iterator/go/jsoniter.go | 0 vendor/github.com/json-iterator/go/pool.go | 0 vendor/github.com/json-iterator/go/reflect.go | 0 .../github.com/json-iterator/go/reflect_array.go | 0 .../github.com/json-iterator/go/reflect_dynamic.go | 0 .../json-iterator/go/reflect_extension.go | 0 .../json-iterator/go/reflect_json_number.go | 0 .../json-iterator/go/reflect_json_raw_message.go | 0 vendor/github.com/json-iterator/go/reflect_map.go | 0 .../json-iterator/go/reflect_marshaler.go | 0 .../github.com/json-iterator/go/reflect_native.go | 0 .../json-iterator/go/reflect_optional.go | 0 .../github.com/json-iterator/go/reflect_slice.go | 0 .../json-iterator/go/reflect_struct_decoder.go | 0 .../json-iterator/go/reflect_struct_encoder.go | 0 vendor/github.com/json-iterator/go/stream.go | 0 vendor/github.com/json-iterator/go/stream_float.go | 0 vendor/github.com/json-iterator/go/stream_int.go | 0 vendor/github.com/json-iterator/go/stream_str.go | 0 vendor/github.com/json-iterator/go/test.sh | 0 vendor/github.com/kballard/go-shellquote/LICENSE | 0 vendor/github.com/kballard/go-shellquote/README | 0 vendor/github.com/kballard/go-shellquote/doc.go | 0 vendor/github.com/kballard/go-shellquote/quote.go | 0 .../github.com/kballard/go-shellquote/unquote.go | 0 .../kelseyhightower/envconfig/.travis.yml | 0 .../github.com/kelseyhightower/envconfig/LICENSE | 0 .../kelseyhightower/envconfig/MAINTAINERS | 0 .../github.com/kelseyhightower/envconfig/README.md | 0 vendor/github.com/kelseyhightower/envconfig/doc.go | 0 .../github.com/kelseyhightower/envconfig/env_os.go | 0 .../kelseyhightower/envconfig/env_syscall.go | 0 .../kelseyhightower/envconfig/envconfig.go | 0 .../github.com/kelseyhightower/envconfig/usage.go | 0 .../kevinburke/ssh_config/.gitattributes | 0 vendor/github.com/kevinburke/ssh_config/.gitignore | 0 vendor/github.com/kevinburke/ssh_config/.mailmap | 0 .../github.com/kevinburke/ssh_config/.travis.yml | 0 .../github.com/kevinburke/ssh_config/AUTHORS.txt | 0 vendor/github.com/kevinburke/ssh_config/LICENSE | 0 vendor/github.com/kevinburke/ssh_config/Makefile | 0 vendor/github.com/kevinburke/ssh_config/README.md | 0 vendor/github.com/kevinburke/ssh_config/config.go | 0 vendor/github.com/kevinburke/ssh_config/lexer.go | 0 vendor/github.com/kevinburke/ssh_config/parser.go | 0 .../github.com/kevinburke/ssh_config/position.go | 0 vendor/github.com/kevinburke/ssh_config/token.go | 0 .../github.com/kevinburke/ssh_config/validators.go | 0 vendor/github.com/keybase/go-crypto/AUTHORS | 0 vendor/github.com/keybase/go-crypto/CONTRIBUTORS | 0 vendor/github.com/keybase/go-crypto/LICENSE | 0 vendor/github.com/keybase/go-crypto/PATENTS | 0 .../keybase/go-crypto/brainpool/brainpool.go | 0 .../keybase/go-crypto/brainpool/rcurve.go | 0 vendor/github.com/keybase/go-crypto/cast5/cast5.go | 0 .../keybase/go-crypto/curve25519/const_amd64.h | 0 .../keybase/go-crypto/curve25519/const_amd64.s | 0 .../keybase/go-crypto/curve25519/cswap_amd64.s | 0 .../keybase/go-crypto/curve25519/curve25519.go | 0 .../keybase/go-crypto/curve25519/curve_impl.go | 0 .../github.com/keybase/go-crypto/curve25519/doc.go | 0 .../keybase/go-crypto/curve25519/freeze_amd64.s | 0 .../go-crypto/curve25519/ladderstep_amd64.s | 0 .../go-crypto/curve25519/mont25519_amd64.go | 0 .../keybase/go-crypto/curve25519/mul_amd64.s | 0 .../keybase/go-crypto/curve25519/square_amd64.s | 0 .../keybase/go-crypto/ed25519/ed25519.go | 0 .../ed25519/internal/edwards25519/const.go | 0 .../ed25519/internal/edwards25519/edwards25519.go | 0 .../keybase/go-crypto/openpgp/armor/armor.go | 0 .../keybase/go-crypto/openpgp/armor/encode.go | 0 .../keybase/go-crypto/openpgp/canonical_text.go | 0 .../keybase/go-crypto/openpgp/ecdh/ecdh.go | 0 .../keybase/go-crypto/openpgp/elgamal/elgamal.go | 0 .../keybase/go-crypto/openpgp/errors/errors.go | 0 .../github.com/keybase/go-crypto/openpgp/keys.go | 0 .../keybase/go-crypto/openpgp/packet/compressed.go | 0 .../keybase/go-crypto/openpgp/packet/config.go | 0 .../keybase/go-crypto/openpgp/packet/ecdh.go | 0 .../go-crypto/openpgp/packet/encrypted_key.go | 0 .../keybase/go-crypto/openpgp/packet/literal.go | 0 .../keybase/go-crypto/openpgp/packet/ocfb.go | 0 .../go-crypto/openpgp/packet/one_pass_signature.go | 0 .../keybase/go-crypto/openpgp/packet/opaque.go | 0 .../keybase/go-crypto/openpgp/packet/packet.go | 0 .../go-crypto/openpgp/packet/private_key.go | 0 .../keybase/go-crypto/openpgp/packet/public_key.go | 0 .../go-crypto/openpgp/packet/public_key_v3.go | 0 .../keybase/go-crypto/openpgp/packet/reader.go | 0 .../keybase/go-crypto/openpgp/packet/signature.go | 0 .../go-crypto/openpgp/packet/signature_v3.go | 0 .../openpgp/packet/symmetric_key_encrypted.go | 0 .../openpgp/packet/symmetrically_encrypted.go | 0 .../go-crypto/openpgp/packet/userattribute.go | 0 .../keybase/go-crypto/openpgp/packet/userid.go | 0 .../github.com/keybase/go-crypto/openpgp/patch.sh | 0 .../github.com/keybase/go-crypto/openpgp/read.go | 0 .../keybase/go-crypto/openpgp/s2k/s2k.go | 0 .../keybase/go-crypto/openpgp/sig-v3.patch | 0 .../github.com/keybase/go-crypto/openpgp/write.go | 0 .../github.com/keybase/go-crypto/rsa/pkcs1v15.go | 0 vendor/github.com/keybase/go-crypto/rsa/pss.go | 0 vendor/github.com/keybase/go-crypto/rsa/rsa.go | 0 vendor/github.com/klauspost/compress/LICENSE | 0 .../github.com/klauspost/compress/flate/deflate.go | 0 .../klauspost/compress/flate/dict_decoder.go | 0 .../klauspost/compress/flate/fast_encoder.go | 0 .../klauspost/compress/flate/gen_inflate.go | 0 .../klauspost/compress/flate/huffman_bit_writer.go | 0 .../klauspost/compress/flate/huffman_code.go | 0 .../klauspost/compress/flate/huffman_sortByFreq.go | 0 .../compress/flate/huffman_sortByLiteral.go | 0 .../github.com/klauspost/compress/flate/inflate.go | 0 .../klauspost/compress/flate/inflate_gen.go | 0 .../github.com/klauspost/compress/flate/level1.go | 0 .../github.com/klauspost/compress/flate/level2.go | 0 .../github.com/klauspost/compress/flate/level3.go | 0 .../github.com/klauspost/compress/flate/level4.go | 0 .../github.com/klauspost/compress/flate/level5.go | 0 .../github.com/klauspost/compress/flate/level6.go | 0 .../klauspost/compress/flate/stateless.go | 0 .../github.com/klauspost/compress/flate/token.go | 0 .../github.com/klauspost/compress/gzip/gunzip.go | 0 vendor/github.com/klauspost/compress/gzip/gzip.go | 0 vendor/github.com/klauspost/cpuid/.gitignore | 0 vendor/github.com/klauspost/cpuid/.travis.yml | 0 vendor/github.com/klauspost/cpuid/CONTRIBUTING.txt | 0 vendor/github.com/klauspost/cpuid/LICENSE | 0 vendor/github.com/klauspost/cpuid/README.md | 0 vendor/github.com/klauspost/cpuid/cpuid.go | 0 vendor/github.com/klauspost/cpuid/cpuid_386.s | 0 vendor/github.com/klauspost/cpuid/cpuid_amd64.s | 0 vendor/github.com/klauspost/cpuid/detect_intel.go | 0 vendor/github.com/klauspost/cpuid/detect_ref.go | 0 vendor/github.com/klauspost/cpuid/generate.go | 0 vendor/github.com/kr/pretty/.gitignore | 0 vendor/github.com/kr/pretty/License | 0 vendor/github.com/kr/pretty/Readme | 0 vendor/github.com/kr/pretty/diff.go | 0 vendor/github.com/kr/pretty/formatter.go | 0 vendor/github.com/kr/pretty/go.mod | 0 vendor/github.com/kr/pretty/pretty.go | 0 vendor/github.com/kr/pretty/zero.go | 0 vendor/github.com/kr/text/License | 0 vendor/github.com/kr/text/Readme | 0 vendor/github.com/kr/text/doc.go | 0 vendor/github.com/kr/text/go.mod | 0 vendor/github.com/kr/text/indent.go | 0 vendor/github.com/kr/text/wrap.go | 0 vendor/github.com/lafriks/xormstore/.gitignore | 0 vendor/github.com/lafriks/xormstore/.travis.yml | 0 vendor/github.com/lafriks/xormstore/LICENSE | 0 vendor/github.com/lafriks/xormstore/README.md | 0 vendor/github.com/lafriks/xormstore/go.mod | 0 vendor/github.com/lafriks/xormstore/go.sum | 0 vendor/github.com/lafriks/xormstore/test | 0 .../lafriks/xormstore/util/time_stamp.go | 0 vendor/github.com/lafriks/xormstore/xormstore.go | 0 vendor/github.com/lib/pq/.gitignore | 0 vendor/github.com/lib/pq/.travis.sh | 0 vendor/github.com/lib/pq/.travis.yml | 0 vendor/github.com/lib/pq/CONTRIBUTING.md | 0 vendor/github.com/lib/pq/LICENSE.md | 0 vendor/github.com/lib/pq/README.md | 0 vendor/github.com/lib/pq/TESTS.md | 0 vendor/github.com/lib/pq/array.go | 0 vendor/github.com/lib/pq/buf.go | 0 vendor/github.com/lib/pq/conn.go | 0 vendor/github.com/lib/pq/conn_go18.go | 0 vendor/github.com/lib/pq/connector.go | 0 vendor/github.com/lib/pq/copy.go | 0 vendor/github.com/lib/pq/doc.go | 0 vendor/github.com/lib/pq/encode.go | 0 vendor/github.com/lib/pq/error.go | 0 vendor/github.com/lib/pq/go.mod | 0 vendor/github.com/lib/pq/notify.go | 0 vendor/github.com/lib/pq/oid/doc.go | 0 vendor/github.com/lib/pq/oid/types.go | 0 vendor/github.com/lib/pq/rows.go | 0 vendor/github.com/lib/pq/scram/scram.go | 0 vendor/github.com/lib/pq/ssl.go | 0 vendor/github.com/lib/pq/ssl_permissions.go | 0 vendor/github.com/lib/pq/ssl_windows.go | 0 vendor/github.com/lib/pq/url.go | 0 vendor/github.com/lib/pq/user_posix.go | 0 vendor/github.com/lib/pq/user_windows.go | 0 vendor/github.com/lib/pq/uuid.go | 0 vendor/github.com/lunny/dingtalk_webhook/LICENSE | 0 vendor/github.com/lunny/dingtalk_webhook/README.md | 0 .../github.com/lunny/dingtalk_webhook/webhook.go | 0 vendor/github.com/lunny/log/.gitignore | 0 vendor/github.com/lunny/log/LICENSE | 0 vendor/github.com/lunny/log/README.md | 0 vendor/github.com/lunny/log/README_CN.md | 0 vendor/github.com/lunny/log/dbwriter.go | 0 vendor/github.com/lunny/log/filewriter.go | 0 vendor/github.com/lunny/log/logext.go | 0 vendor/github.com/lunny/nodb/.gitignore | 0 vendor/github.com/lunny/nodb/LICENSE | 0 vendor/github.com/lunny/nodb/README.md | 0 vendor/github.com/lunny/nodb/README_CN.md | 0 vendor/github.com/lunny/nodb/batch.go | 0 vendor/github.com/lunny/nodb/binlog.go | 0 vendor/github.com/lunny/nodb/binlog_util.go | 0 vendor/github.com/lunny/nodb/config/config.go | 0 vendor/github.com/lunny/nodb/config/config.toml | 0 vendor/github.com/lunny/nodb/const.go | 0 vendor/github.com/lunny/nodb/doc.go | 0 vendor/github.com/lunny/nodb/dump.go | 0 vendor/github.com/lunny/nodb/info.go | 0 vendor/github.com/lunny/nodb/multi.go | 0 vendor/github.com/lunny/nodb/nodb.go | 0 vendor/github.com/lunny/nodb/nodb_db.go | 0 vendor/github.com/lunny/nodb/replication.go | 0 vendor/github.com/lunny/nodb/scan.go | 0 vendor/github.com/lunny/nodb/store/db.go | 0 vendor/github.com/lunny/nodb/store/driver/batch.go | 0 .../github.com/lunny/nodb/store/driver/driver.go | 0 vendor/github.com/lunny/nodb/store/driver/store.go | 0 .../github.com/lunny/nodb/store/goleveldb/batch.go | 0 .../github.com/lunny/nodb/store/goleveldb/const.go | 0 vendor/github.com/lunny/nodb/store/goleveldb/db.go | 0 .../lunny/nodb/store/goleveldb/iterator.go | 0 .../lunny/nodb/store/goleveldb/snapshot.go | 0 vendor/github.com/lunny/nodb/store/iterator.go | 0 vendor/github.com/lunny/nodb/store/snapshot.go | 0 vendor/github.com/lunny/nodb/store/store.go | 0 vendor/github.com/lunny/nodb/store/tx.go | 0 vendor/github.com/lunny/nodb/store/writebatch.go | 0 vendor/github.com/lunny/nodb/t_bit.go | 0 vendor/github.com/lunny/nodb/t_hash.go | 0 vendor/github.com/lunny/nodb/t_kv.go | 0 vendor/github.com/lunny/nodb/t_list.go | 0 vendor/github.com/lunny/nodb/t_set.go | 0 vendor/github.com/lunny/nodb/t_ttl.go | 0 vendor/github.com/lunny/nodb/t_zset.go | 0 vendor/github.com/lunny/nodb/tx.go | 0 vendor/github.com/lunny/nodb/util.go | 0 vendor/github.com/magiconair/properties/.gitignore | 0 .../github.com/magiconair/properties/.travis.yml | 0 .../github.com/magiconair/properties/CHANGELOG.md | 0 vendor/github.com/magiconair/properties/LICENSE | 0 vendor/github.com/magiconair/properties/README.md | 0 vendor/github.com/magiconair/properties/decode.go | 0 vendor/github.com/magiconair/properties/doc.go | 0 vendor/github.com/magiconair/properties/go.mod | 0 .../github.com/magiconair/properties/integrate.go | 0 vendor/github.com/magiconair/properties/lex.go | 0 vendor/github.com/magiconair/properties/load.go | 0 vendor/github.com/magiconair/properties/parser.go | 0 .../github.com/magiconair/properties/properties.go | 0 .../github.com/magiconair/properties/rangecheck.go | 0 vendor/github.com/mailru/easyjson/.gitignore | 0 vendor/github.com/mailru/easyjson/.travis.yml | 0 vendor/github.com/mailru/easyjson/LICENSE | 0 vendor/github.com/mailru/easyjson/Makefile | 0 vendor/github.com/mailru/easyjson/README.md | 0 vendor/github.com/mailru/easyjson/buffer/pool.go | 0 vendor/github.com/mailru/easyjson/go.mod | 0 vendor/github.com/mailru/easyjson/helpers.go | 0 .../mailru/easyjson/jlexer/bytestostr.go | 0 .../mailru/easyjson/jlexer/bytestostr_nounsafe.go | 0 vendor/github.com/mailru/easyjson/jlexer/error.go | 0 vendor/github.com/mailru/easyjson/jlexer/lexer.go | 0 .../github.com/mailru/easyjson/jwriter/writer.go | 0 vendor/github.com/mailru/easyjson/raw.go | 0 vendor/github.com/markbates/goth/.gitignore | 0 vendor/github.com/markbates/goth/.travis.yml | 0 vendor/github.com/markbates/goth/LICENSE.txt | 0 vendor/github.com/markbates/goth/README.md | 0 vendor/github.com/markbates/goth/doc.go | 0 vendor/github.com/markbates/goth/go.mod | 0 vendor/github.com/markbates/goth/go.sum | 0 vendor/github.com/markbates/goth/gothic/gothic.go | 0 vendor/github.com/markbates/goth/provider.go | 0 .../goth/providers/bitbucket/bitbucket.go | 0 .../markbates/goth/providers/bitbucket/session.go | 0 .../markbates/goth/providers/discord/discord.go | 0 .../markbates/goth/providers/discord/session.go | 0 .../markbates/goth/providers/dropbox/dropbox.go | 0 .../markbates/goth/providers/facebook/facebook.go | 0 .../markbates/goth/providers/facebook/session.go | 0 .../markbates/goth/providers/gitea/gitea.go | 0 .../markbates/goth/providers/gitea/session.go | 0 .../markbates/goth/providers/github/github.go | 0 .../markbates/goth/providers/github/session.go | 0 .../markbates/goth/providers/gitlab/gitlab.go | 0 .../markbates/goth/providers/gitlab/session.go | 0 .../markbates/goth/providers/google/endpoint.go | 0 .../goth/providers/google/endpoint_legacy.go | 0 .../markbates/goth/providers/google/google.go | 0 .../markbates/goth/providers/google/session.go | 0 .../markbates/goth/providers/nextcloud/README.md | 0 .../goth/providers/nextcloud/nextcloud.go | 0 .../goth/providers/nextcloud/nextcloud_setup.png | Bin .../markbates/goth/providers/nextcloud/session.go | 0 .../goth/providers/openidConnect/openidConnect.go | 0 .../goth/providers/openidConnect/session.go | 0 .../markbates/goth/providers/twitter/session.go | 0 .../markbates/goth/providers/twitter/twitter.go | 0 .../markbates/goth/providers/yandex/session.go | 0 .../markbates/goth/providers/yandex/yandex.go | 0 vendor/github.com/markbates/goth/session.go | 0 vendor/github.com/markbates/goth/user.go | 0 vendor/github.com/mattn/go-colorable/.travis.yml | 0 vendor/github.com/mattn/go-colorable/LICENSE | 0 vendor/github.com/mattn/go-colorable/README.md | 0 .../mattn/go-colorable/colorable_appengine.go | 0 .../mattn/go-colorable/colorable_others.go | 0 .../mattn/go-colorable/colorable_windows.go | 0 vendor/github.com/mattn/go-colorable/go.mod | 0 vendor/github.com/mattn/go-colorable/go.sum | 0 .../github.com/mattn/go-colorable/noncolorable.go | 0 vendor/github.com/mattn/go-isatty/.travis.yml | 0 vendor/github.com/mattn/go-isatty/LICENSE | 0 vendor/github.com/mattn/go-isatty/README.md | 0 vendor/github.com/mattn/go-isatty/doc.go | 0 vendor/github.com/mattn/go-isatty/go.mod | 0 vendor/github.com/mattn/go-isatty/go.sum | 0 .../github.com/mattn/go-isatty/isatty_android.go | 0 vendor/github.com/mattn/go-isatty/isatty_bsd.go | 0 vendor/github.com/mattn/go-isatty/isatty_others.go | 0 vendor/github.com/mattn/go-isatty/isatty_plan9.go | 0 .../github.com/mattn/go-isatty/isatty_solaris.go | 0 vendor/github.com/mattn/go-isatty/isatty_tcgets.go | 0 .../github.com/mattn/go-isatty/isatty_windows.go | 0 vendor/github.com/mattn/go-runewidth/.travis.yml | 0 vendor/github.com/mattn/go-runewidth/LICENSE | 0 vendor/github.com/mattn/go-runewidth/README.mkd | 0 vendor/github.com/mattn/go-runewidth/go.mod | 0 vendor/github.com/mattn/go-runewidth/runewidth.go | 0 .../mattn/go-runewidth/runewidth_appengine.go | 0 .../github.com/mattn/go-runewidth/runewidth_js.go | 0 .../mattn/go-runewidth/runewidth_posix.go | 0 .../mattn/go-runewidth/runewidth_table.go | 0 .../mattn/go-runewidth/runewidth_windows.go | 0 vendor/github.com/mattn/go-sqlite3/.gitignore | 0 vendor/github.com/mattn/go-sqlite3/.travis.yml | 0 vendor/github.com/mattn/go-sqlite3/LICENSE | 0 vendor/github.com/mattn/go-sqlite3/README.md | 0 vendor/github.com/mattn/go-sqlite3/backup.go | 0 vendor/github.com/mattn/go-sqlite3/callback.go | 0 vendor/github.com/mattn/go-sqlite3/doc.go | 0 vendor/github.com/mattn/go-sqlite3/error.go | 0 .../github.com/mattn/go-sqlite3/sqlite3-binding.c | 0 .../github.com/mattn/go-sqlite3/sqlite3-binding.h | 0 vendor/github.com/mattn/go-sqlite3/sqlite3.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_context.go | 0 .../mattn/go-sqlite3/sqlite3_func_crypt.go | 0 vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go | 0 .../mattn/go-sqlite3/sqlite3_libsqlite3.go | 0 .../mattn/go-sqlite3/sqlite3_load_extension.go | 0 .../go-sqlite3/sqlite3_load_extension_omit.go | 0 .../go-sqlite3/sqlite3_opt_allow_uri_authority.go | 0 .../mattn/go-sqlite3/sqlite3_opt_app_armor.go | 0 .../mattn/go-sqlite3/sqlite3_opt_foreign_keys.go | 0 .../mattn/go-sqlite3/sqlite3_opt_fts5.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_opt_icu.go | 0 .../mattn/go-sqlite3/sqlite3_opt_introspect.go | 0 .../mattn/go-sqlite3/sqlite3_opt_json1.go | 0 .../mattn/go-sqlite3/sqlite3_opt_secure_delete.go | 0 .../go-sqlite3/sqlite3_opt_secure_delete_fast.go | 0 .../mattn/go-sqlite3/sqlite3_opt_stat4.go | 0 .../mattn/go-sqlite3/sqlite3_opt_unlock_notify.c | 0 .../mattn/go-sqlite3/sqlite3_opt_unlock_notify.go | 0 .../mattn/go-sqlite3/sqlite3_opt_userauth.go | 0 .../mattn/go-sqlite3/sqlite3_opt_userauth_omit.go | 0 .../mattn/go-sqlite3/sqlite3_opt_vacuum_full.go | 0 .../mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go | 0 .../mattn/go-sqlite3/sqlite3_opt_vtable.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_other.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_solaris.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_trace.go | 0 vendor/github.com/mattn/go-sqlite3/sqlite3_type.go | 0 .../mattn/go-sqlite3/sqlite3_usleep_windows.go | 0 .../github.com/mattn/go-sqlite3/sqlite3_windows.go | 0 vendor/github.com/mattn/go-sqlite3/sqlite3ext.h | 0 vendor/github.com/mattn/go-sqlite3/static_mock.go | 0 .../matttproud/golang_protobuf_extensions/LICENSE | 0 .../matttproud/golang_protobuf_extensions/NOTICE | 0 .../golang_protobuf_extensions/pbutil/.gitignore | 0 .../golang_protobuf_extensions/pbutil/Makefile | 0 .../golang_protobuf_extensions/pbutil/decode.go | 0 .../golang_protobuf_extensions/pbutil/doc.go | 0 .../golang_protobuf_extensions/pbutil/encode.go | 0 vendor/github.com/mcuadros/go-version/.gitignore | 0 vendor/github.com/mcuadros/go-version/.travis.yml | 0 vendor/github.com/mcuadros/go-version/LICENSE | 0 vendor/github.com/mcuadros/go-version/README.md | 0 vendor/github.com/mcuadros/go-version/compare.go | 0 .../github.com/mcuadros/go-version/constraint.go | 0 vendor/github.com/mcuadros/go-version/doc.go | 0 vendor/github.com/mcuadros/go-version/group.go | 0 vendor/github.com/mcuadros/go-version/normalize.go | 0 vendor/github.com/mcuadros/go-version/sort.go | 0 vendor/github.com/mcuadros/go-version/stability.go | 0 vendor/github.com/mgechev/dots/.travis.yml | 0 vendor/github.com/mgechev/dots/LICENSE | 0 vendor/github.com/mgechev/dots/README.md | 0 vendor/github.com/mgechev/dots/resolve.go | 0 vendor/github.com/mgechev/revive/LICENSE | 0 .../mgechev/revive/formatter/checkstyle.go | 0 .../github.com/mgechev/revive/formatter/default.go | 0 .../mgechev/revive/formatter/friendly.go | 0 vendor/github.com/mgechev/revive/formatter/json.go | 0 .../github.com/mgechev/revive/formatter/ndjson.go | 0 .../github.com/mgechev/revive/formatter/plain.go | 0 .../mgechev/revive/formatter/severity.go | 0 .../github.com/mgechev/revive/formatter/stylish.go | 0 vendor/github.com/mgechev/revive/formatter/unix.go | 0 vendor/github.com/mgechev/revive/lint/config.go | 0 vendor/github.com/mgechev/revive/lint/failure.go | 0 vendor/github.com/mgechev/revive/lint/file.go | 0 vendor/github.com/mgechev/revive/lint/formatter.go | 0 vendor/github.com/mgechev/revive/lint/linter.go | 0 vendor/github.com/mgechev/revive/lint/package.go | 0 vendor/github.com/mgechev/revive/lint/rule.go | 0 vendor/github.com/mgechev/revive/lint/utils.go | 0 .../github.com/mgechev/revive/rule/add-constant.go | 0 .../mgechev/revive/rule/argument-limit.go | 0 vendor/github.com/mgechev/revive/rule/atomic.go | 0 .../github.com/mgechev/revive/rule/bare-return.go | 0 .../mgechev/revive/rule/blank-imports.go | 0 .../mgechev/revive/rule/bool-literal-in-expr.go | 0 .../github.com/mgechev/revive/rule/call-to-gc.go | 0 .../mgechev/revive/rule/cognitive-complexity.go | 0 .../mgechev/revive/rule/confusing-naming.go | 0 .../mgechev/revive/rule/confusing-results.go | 0 .../mgechev/revive/rule/constant-logical-expr.go | 0 .../mgechev/revive/rule/context-as-argument.go | 0 .../mgechev/revive/rule/context-keys-type.go | 0 .../github.com/mgechev/revive/rule/cyclomatic.go | 0 vendor/github.com/mgechev/revive/rule/deep-exit.go | 0 .../github.com/mgechev/revive/rule/dot-imports.go | 0 .../mgechev/revive/rule/duplicated-imports.go | 0 .../github.com/mgechev/revive/rule/empty-block.go | 0 .../github.com/mgechev/revive/rule/empty-lines.go | 0 .../github.com/mgechev/revive/rule/error-naming.go | 0 .../github.com/mgechev/revive/rule/error-return.go | 0 .../mgechev/revive/rule/error-strings.go | 0 vendor/github.com/mgechev/revive/rule/errorf.go | 0 vendor/github.com/mgechev/revive/rule/exported.go | 0 .../github.com/mgechev/revive/rule/file-header.go | 0 .../github.com/mgechev/revive/rule/flag-param.go | 0 .../mgechev/revive/rule/function-result-limit.go | 0 .../github.com/mgechev/revive/rule/get-return.go | 0 vendor/github.com/mgechev/revive/rule/if-return.go | 0 .../mgechev/revive/rule/import-shadowing.go | 0 .../mgechev/revive/rule/imports-blacklist.go | 0 .../mgechev/revive/rule/increment-decrement.go | 0 .../mgechev/revive/rule/indent-error-flow.go | 0 .../mgechev/revive/rule/line-length-limit.go | 0 .../mgechev/revive/rule/max-public-structs.go | 0 .../mgechev/revive/rule/modifies-param.go | 0 .../mgechev/revive/rule/modifies-value-receiver.go | 0 .../mgechev/revive/rule/package-comments.go | 0 .../mgechev/revive/rule/range-val-address.go | 0 .../mgechev/revive/rule/range-val-in-closure.go | 0 vendor/github.com/mgechev/revive/rule/range.go | 0 .../mgechev/revive/rule/receiver-naming.go | 0 .../mgechev/revive/rule/redefines-builtin-id.go | 0 .../mgechev/revive/rule/string-of-int.go | 0 .../github.com/mgechev/revive/rule/struct-tag.go | 0 .../mgechev/revive/rule/superfluous-else.go | 0 .../github.com/mgechev/revive/rule/time-naming.go | 0 .../mgechev/revive/rule/unexported-return.go | 0 .../mgechev/revive/rule/unhandled-error.go | 0 .../mgechev/revive/rule/unnecessary-stmt.go | 0 .../mgechev/revive/rule/unreachable-code.go | 0 .../github.com/mgechev/revive/rule/unused-param.go | 0 .../mgechev/revive/rule/unused-receiver.go | 0 vendor/github.com/mgechev/revive/rule/utils.go | 0 .../mgechev/revive/rule/var-declarations.go | 0 .../github.com/mgechev/revive/rule/var-naming.go | 0 .../mgechev/revive/rule/waitgroup-by-value.go | 0 .../microcosm-cc/bluemonday/.coveralls.yml | 0 .../github.com/microcosm-cc/bluemonday/.gitignore | 0 .../github.com/microcosm-cc/bluemonday/.travis.yml | 0 .../microcosm-cc/bluemonday/CONTRIBUTING.md | 0 .../github.com/microcosm-cc/bluemonday/CREDITS.md | 0 .../github.com/microcosm-cc/bluemonday/LICENSE.md | 0 vendor/github.com/microcosm-cc/bluemonday/Makefile | 0 .../github.com/microcosm-cc/bluemonday/README.md | 0 vendor/github.com/microcosm-cc/bluemonday/doc.go | 0 vendor/github.com/microcosm-cc/bluemonday/go.mod | 0 vendor/github.com/microcosm-cc/bluemonday/go.sum | 0 .../github.com/microcosm-cc/bluemonday/handlers.go | 0 .../github.com/microcosm-cc/bluemonday/helpers.go | 0 .../github.com/microcosm-cc/bluemonday/policies.go | 0 .../github.com/microcosm-cc/bluemonday/policy.go | 0 .../github.com/microcosm-cc/bluemonday/sanitize.go | 0 vendor/github.com/minio/md5-simd/LICENSE | 0 vendor/github.com/minio/md5-simd/README.md | 0 vendor/github.com/minio/md5-simd/block-generic.go | 0 vendor/github.com/minio/md5-simd/block16_amd64.s | 0 vendor/github.com/minio/md5-simd/block8_amd64.s | 0 vendor/github.com/minio/md5-simd/block_amd64.go | 0 vendor/github.com/minio/md5-simd/go.mod | 0 vendor/github.com/minio/md5-simd/go.sum | 0 .../github.com/minio/md5-simd/md5-digest_amd64.go | 0 .../github.com/minio/md5-simd/md5-server_amd64.go | 0 .../minio/md5-simd/md5-server_fallback.go | 0 vendor/github.com/minio/md5-simd/md5-util_amd64.go | 0 vendor/github.com/minio/md5-simd/md5.go | 0 vendor/github.com/minio/minio-go/.gitignore | 0 vendor/github.com/minio/minio-go/.travis.yml | 0 vendor/github.com/minio/minio-go/CONTRIBUTING.md | 0 vendor/github.com/minio/minio-go/LICENSE | 0 vendor/github.com/minio/minio-go/MAINTAINERS.md | 0 vendor/github.com/minio/minio-go/Makefile | 0 vendor/github.com/minio/minio-go/NOTICE | 0 vendor/github.com/minio/minio-go/README.md | 0 vendor/github.com/minio/minio-go/README_zh_CN.md | 0 .../minio/minio-go/api-compose-object.go | 0 vendor/github.com/minio/minio-go/api-datatypes.go | 0 .../minio/minio-go/api-error-response.go | 0 .../github.com/minio/minio-go/api-get-lifecycle.go | 0 .../minio/minio-go/api-get-object-acl.go | 0 .../minio/minio-go/api-get-object-context.go | 0 .../minio/minio-go/api-get-object-file.go | 0 vendor/github.com/minio/minio-go/api-get-object.go | 0 .../github.com/minio/minio-go/api-get-options.go | 0 vendor/github.com/minio/minio-go/api-get-policy.go | 0 vendor/github.com/minio/minio-go/api-list.go | 0 .../github.com/minio/minio-go/api-notification.go | 0 vendor/github.com/minio/minio-go/api-presigned.go | 0 vendor/github.com/minio/minio-go/api-put-bucket.go | 0 .../minio/minio-go/api-put-object-common.go | 0 .../minio/minio-go/api-put-object-context.go | 0 .../minio/minio-go/api-put-object-copy.go | 0 .../minio/minio-go/api-put-object-file-context.go | 0 .../minio/minio-go/api-put-object-file.go | 0 .../minio/minio-go/api-put-object-multipart.go | 0 .../minio/minio-go/api-put-object-streaming.go | 0 vendor/github.com/minio/minio-go/api-put-object.go | 0 vendor/github.com/minio/minio-go/api-remove.go | 0 .../github.com/minio/minio-go/api-s3-datatypes.go | 0 vendor/github.com/minio/minio-go/api-select.go | 0 vendor/github.com/minio/minio-go/api-stat.go | 0 vendor/github.com/minio/minio-go/api.go | 0 vendor/github.com/minio/minio-go/appveyor.yml | 0 vendor/github.com/minio/minio-go/bucket-cache.go | 0 .../minio/minio-go/bucket-notification.go | 0 vendor/github.com/minio/minio-go/constants.go | 0 vendor/github.com/minio/minio-go/core.go | 0 vendor/github.com/minio/minio-go/hook-reader.go | 0 .../minio/minio-go/pkg/credentials/chain.go | 0 .../minio-go/pkg/credentials/config.json.sample | 0 .../minio/minio-go/pkg/credentials/credentials.go | 0 .../minio-go/pkg/credentials/credentials.sample | 0 .../minio/minio-go/pkg/credentials/doc.go | 0 .../minio/minio-go/pkg/credentials/env_aws.go | 0 .../minio/minio-go/pkg/credentials/env_minio.go | 0 .../pkg/credentials/file_aws_credentials.go | 0 .../minio-go/pkg/credentials/file_minio_client.go | 0 .../minio/minio-go/pkg/credentials/iam_aws.go | 0 .../minio-go/pkg/credentials/signature-type.go | 0 .../minio/minio-go/pkg/credentials/static.go | 0 .../minio-go/pkg/credentials/sts_client_grants.go | 0 .../minio-go/pkg/credentials/sts_web_identity.go | 0 .../minio/minio-go/pkg/encrypt/server-side.go | 0 .../pkg/s3signer/request-signature-streaming.go | 0 .../minio-go/pkg/s3signer/request-signature-v2.go | 0 .../minio-go/pkg/s3signer/request-signature-v4.go | 0 .../minio/minio-go/pkg/s3signer/utils.go | 0 .../github.com/minio/minio-go/pkg/s3utils/utils.go | 0 .../github.com/minio/minio-go/pkg/set/stringset.go | 0 vendor/github.com/minio/minio-go/post-policy.go | 0 .../github.com/minio/minio-go/retry-continous.go | 0 vendor/github.com/minio/minio-go/retry.go | 0 vendor/github.com/minio/minio-go/s3-endpoints.go | 0 vendor/github.com/minio/minio-go/s3-error.go | 0 vendor/github.com/minio/minio-go/transport.go | 0 vendor/github.com/minio/minio-go/utils.go | 0 vendor/github.com/minio/minio-go/v6/.gitignore | 0 vendor/github.com/minio/minio-go/v6/.golangci.yml | 0 .../github.com/minio/minio-go/v6/CONTRIBUTING.md | 0 vendor/github.com/minio/minio-go/v6/LICENSE | 0 vendor/github.com/minio/minio-go/v6/MAINTAINERS.md | 0 vendor/github.com/minio/minio-go/v6/Makefile | 0 vendor/github.com/minio/minio-go/v6/NOTICE | 0 vendor/github.com/minio/minio-go/v6/README.md | 0 .../github.com/minio/minio-go/v6/README_zh_CN.md | 0 .../minio/minio-go/v6/api-bucket-tagging.go | 0 .../minio/minio-go/v6/api-compose-object.go | 0 .../github.com/minio/minio-go/v6/api-datatypes.go | 0 .../minio/minio-go/v6/api-error-response.go | 0 .../minio/minio-go/v6/api-get-bucket-encryption.go | 0 .../minio/minio-go/v6/api-get-bucket-versioning.go | 0 .../minio/minio-go/v6/api-get-lifecycle.go | 0 .../minio-go/v6/api-get-object-acl-context.go | 0 .../minio/minio-go/v6/api-get-object-acl.go | 0 .../minio/minio-go/v6/api-get-object-context.go | 0 .../minio/minio-go/v6/api-get-object-file.go | 0 .../github.com/minio/minio-go/v6/api-get-object.go | 0 .../minio/minio-go/v6/api-get-options.go | 0 .../github.com/minio/minio-go/v6/api-get-policy.go | 0 vendor/github.com/minio/minio-go/v6/api-list.go | 0 .../minio/minio-go/v6/api-notification.go | 0 .../minio/minio-go/v6/api-object-legal-hold.go | 0 .../minio/minio-go/v6/api-object-lock.go | 0 .../minio/minio-go/v6/api-object-retention.go | 0 .../minio/minio-go/v6/api-object-tagging.go | 0 .../github.com/minio/minio-go/v6/api-presigned.go | 0 .../github.com/minio/minio-go/v6/api-put-bucket.go | 0 .../minio/minio-go/v6/api-put-object-common.go | 0 .../minio/minio-go/v6/api-put-object-context.go | 0 .../minio/minio-go/v6/api-put-object-copy.go | 0 .../minio-go/v6/api-put-object-file-context.go | 0 .../minio/minio-go/v6/api-put-object-file.go | 0 .../minio/minio-go/v6/api-put-object-multipart.go | 0 .../minio/minio-go/v6/api-put-object-streaming.go | 0 .../github.com/minio/minio-go/v6/api-put-object.go | 0 vendor/github.com/minio/minio-go/v6/api-remove.go | 0 .../minio/minio-go/v6/api-s3-datatypes.go | 0 vendor/github.com/minio/minio-go/v6/api-select.go | 0 vendor/github.com/minio/minio-go/v6/api-stat.go | 0 vendor/github.com/minio/minio-go/v6/api.go | 0 .../github.com/minio/minio-go/v6/bucket-cache.go | 0 .../minio/minio-go/v6/bucket-notification.go | 0 vendor/github.com/minio/minio-go/v6/constants.go | 0 vendor/github.com/minio/minio-go/v6/core.go | 0 vendor/github.com/minio/minio-go/v6/go.mod | 0 vendor/github.com/minio/minio-go/v6/go.sum | 0 vendor/github.com/minio/minio-go/v6/hook-reader.go | 0 .../minio-go/v6/pkg/credentials/assume_role.go | 0 .../minio/minio-go/v6/pkg/credentials/chain.go | 0 .../minio-go/v6/pkg/credentials/config.json.sample | 0 .../minio-go/v6/pkg/credentials/credentials.go | 0 .../minio-go/v6/pkg/credentials/credentials.sample | 0 .../minio/minio-go/v6/pkg/credentials/doc.go | 0 .../minio/minio-go/v6/pkg/credentials/env_aws.go | 0 .../minio/minio-go/v6/pkg/credentials/env_minio.go | 0 .../v6/pkg/credentials/file_aws_credentials.go | 0 .../v6/pkg/credentials/file_minio_client.go | 0 .../minio/minio-go/v6/pkg/credentials/iam_aws.go | 0 .../minio-go/v6/pkg/credentials/signature-type.go | 0 .../minio/minio-go/v6/pkg/credentials/static.go | 0 .../v6/pkg/credentials/sts_client_grants.go | 0 .../v6/pkg/credentials/sts_ldap_identity.go | 0 .../v6/pkg/credentials/sts_web_identity.go | 0 .../minio/minio-go/v6/pkg/encrypt/server-side.go | 0 .../minio/minio-go/v6/pkg/s3utils/utils.go | 0 .../minio/minio-go/v6/pkg/set/stringset.go | 0 .../v6/pkg/signer/request-signature-streaming.go | 0 .../minio-go/v6/pkg/signer/request-signature-v2.go | 0 .../minio-go/v6/pkg/signer/request-signature-v4.go | 0 .../minio/minio-go/v6/pkg/signer/utils.go | 0 .../github.com/minio/minio-go/v6/pkg/tags/tags.go | 0 vendor/github.com/minio/minio-go/v6/post-policy.go | 0 .../minio/minio-go/v6/retry-continous.go | 0 vendor/github.com/minio/minio-go/v6/retry.go | 0 .../github.com/minio/minio-go/v6/s3-endpoints.go | 0 vendor/github.com/minio/minio-go/v6/s3-error.go | 0 .../github.com/minio/minio-go/v6/staticcheck.conf | 0 vendor/github.com/minio/minio-go/v6/transport.go | 0 vendor/github.com/minio/minio-go/v6/utils.go | 0 vendor/github.com/minio/sha256-simd/.gitignore | 0 vendor/github.com/minio/sha256-simd/.travis.yml | 0 vendor/github.com/minio/sha256-simd/LICENSE | 0 vendor/github.com/minio/sha256-simd/README.md | 0 vendor/github.com/minio/sha256-simd/appveyor.yml | 0 vendor/github.com/minio/sha256-simd/cpuid.go | 0 vendor/github.com/minio/sha256-simd/cpuid_386.go | 0 vendor/github.com/minio/sha256-simd/cpuid_386.s | 0 vendor/github.com/minio/sha256-simd/cpuid_amd64.go | 0 vendor/github.com/minio/sha256-simd/cpuid_amd64.s | 0 vendor/github.com/minio/sha256-simd/cpuid_arm.go | 0 .../minio/sha256-simd/cpuid_linux_arm64.go | 0 vendor/github.com/minio/sha256-simd/cpuid_other.go | 0 vendor/github.com/minio/sha256-simd/go.mod | 0 vendor/github.com/minio/sha256-simd/sha256.go | 0 .../minio/sha256-simd/sha256blockAvx2_amd64.go | 0 .../minio/sha256-simd/sha256blockAvx2_amd64.s | 0 .../minio/sha256-simd/sha256blockAvx512_amd64.asm | 0 .../minio/sha256-simd/sha256blockAvx512_amd64.go | 0 .../minio/sha256-simd/sha256blockAvx512_amd64.s | 0 .../minio/sha256-simd/sha256blockAvx_amd64.go | 0 .../minio/sha256-simd/sha256blockAvx_amd64.s | 0 .../minio/sha256-simd/sha256blockSha_amd64.go | 0 .../minio/sha256-simd/sha256blockSha_amd64.s | 0 .../minio/sha256-simd/sha256blockSsse_amd64.go | 0 .../minio/sha256-simd/sha256blockSsse_amd64.s | 0 .../minio/sha256-simd/sha256block_amd64.go | 0 .../minio/sha256-simd/sha256block_arm64.go | 0 .../minio/sha256-simd/sha256block_arm64.s | 0 .../minio/sha256-simd/sha256block_other.go | 0 .../minio/sha256-simd/test-architectures.sh | 0 vendor/github.com/mitchellh/go-homedir/LICENSE | 0 vendor/github.com/mitchellh/go-homedir/README.md | 0 vendor/github.com/mitchellh/go-homedir/go.mod | 0 vendor/github.com/mitchellh/go-homedir/homedir.go | 0 .../github.com/mitchellh/mapstructure/.travis.yml | 0 .../github.com/mitchellh/mapstructure/CHANGELOG.md | 0 vendor/github.com/mitchellh/mapstructure/LICENSE | 0 vendor/github.com/mitchellh/mapstructure/README.md | 0 .../mitchellh/mapstructure/decode_hooks.go | 0 vendor/github.com/mitchellh/mapstructure/error.go | 0 vendor/github.com/mitchellh/mapstructure/go.mod | 0 .../mitchellh/mapstructure/mapstructure.go | 0 vendor/github.com/modern-go/concurrent/.gitignore | 0 vendor/github.com/modern-go/concurrent/.travis.yml | 0 vendor/github.com/modern-go/concurrent/LICENSE | 0 vendor/github.com/modern-go/concurrent/README.md | 0 vendor/github.com/modern-go/concurrent/executor.go | 0 .../github.com/modern-go/concurrent/go_above_19.go | 0 .../github.com/modern-go/concurrent/go_below_19.go | 0 vendor/github.com/modern-go/concurrent/log.go | 0 vendor/github.com/modern-go/concurrent/test.sh | 0 .../modern-go/concurrent/unbounded_executor.go | 0 vendor/github.com/modern-go/reflect2/.gitignore | 0 vendor/github.com/modern-go/reflect2/.travis.yml | 0 vendor/github.com/modern-go/reflect2/Gopkg.lock | 0 vendor/github.com/modern-go/reflect2/Gopkg.toml | 0 vendor/github.com/modern-go/reflect2/LICENSE | 0 vendor/github.com/modern-go/reflect2/README.md | 0 .../github.com/modern-go/reflect2/go_above_17.go | 0 .../github.com/modern-go/reflect2/go_above_19.go | 0 .../github.com/modern-go/reflect2/go_below_17.go | 0 .../github.com/modern-go/reflect2/go_below_19.go | 0 vendor/github.com/modern-go/reflect2/reflect2.go | 0 .../github.com/modern-go/reflect2/reflect2_amd64.s | 0 .../github.com/modern-go/reflect2/reflect2_kind.go | 0 .../github.com/modern-go/reflect2/relfect2_386.s | 0 .../modern-go/reflect2/relfect2_amd64p32.s | 0 .../github.com/modern-go/reflect2/relfect2_arm.s | 0 .../github.com/modern-go/reflect2/relfect2_arm64.s | 0 .../modern-go/reflect2/relfect2_mips64x.s | 0 .../github.com/modern-go/reflect2/relfect2_mipsx.s | 0 .../modern-go/reflect2/relfect2_ppc64x.s | 0 .../github.com/modern-go/reflect2/relfect2_s390x.s | 0 vendor/github.com/modern-go/reflect2/safe_field.go | 0 vendor/github.com/modern-go/reflect2/safe_map.go | 0 vendor/github.com/modern-go/reflect2/safe_slice.go | 0 .../github.com/modern-go/reflect2/safe_struct.go | 0 vendor/github.com/modern-go/reflect2/safe_type.go | 0 vendor/github.com/modern-go/reflect2/test.sh | 0 vendor/github.com/modern-go/reflect2/type_map.go | 0 .../github.com/modern-go/reflect2/unsafe_array.go | 0 .../github.com/modern-go/reflect2/unsafe_eface.go | 0 .../github.com/modern-go/reflect2/unsafe_field.go | 0 .../github.com/modern-go/reflect2/unsafe_iface.go | 0 .../github.com/modern-go/reflect2/unsafe_link.go | 0 vendor/github.com/modern-go/reflect2/unsafe_map.go | 0 vendor/github.com/modern-go/reflect2/unsafe_ptr.go | 0 .../github.com/modern-go/reflect2/unsafe_slice.go | 0 .../github.com/modern-go/reflect2/unsafe_struct.go | 0 .../github.com/modern-go/reflect2/unsafe_type.go | 0 vendor/github.com/mohae/deepcopy/.gitignore | 0 vendor/github.com/mohae/deepcopy/.travis.yml | 0 vendor/github.com/mohae/deepcopy/LICENSE | 0 vendor/github.com/mohae/deepcopy/README.md | 0 vendor/github.com/mohae/deepcopy/deepcopy.go | 0 vendor/github.com/mrjones/oauth/MIT-LICENSE.txt | 0 vendor/github.com/mrjones/oauth/README.md | 0 vendor/github.com/mrjones/oauth/oauth.go | 0 vendor/github.com/mrjones/oauth/pre-commit.sh | 0 vendor/github.com/mrjones/oauth/provider.go | 0 vendor/github.com/mschoch/smat/.gitignore | 0 vendor/github.com/mschoch/smat/.travis.yml | 0 vendor/github.com/mschoch/smat/LICENSE | 0 vendor/github.com/mschoch/smat/README.md | 0 vendor/github.com/mschoch/smat/actionseq.go | 0 vendor/github.com/mschoch/smat/go.mod | 0 vendor/github.com/mschoch/smat/smat.go | 0 vendor/github.com/msteinert/pam/.gitignore | 0 vendor/github.com/msteinert/pam/.travis.yml | 0 vendor/github.com/msteinert/pam/LICENSE | 0 vendor/github.com/msteinert/pam/README.md | 0 vendor/github.com/msteinert/pam/callback.go | 0 vendor/github.com/msteinert/pam/transaction.c | 0 vendor/github.com/msteinert/pam/transaction.go | 0 vendor/github.com/nfnt/resize/.travis.yml | 0 vendor/github.com/nfnt/resize/LICENSE | 0 vendor/github.com/nfnt/resize/README.md | 0 vendor/github.com/nfnt/resize/converter.go | 0 vendor/github.com/nfnt/resize/filters.go | 0 vendor/github.com/nfnt/resize/nearest.go | 0 vendor/github.com/nfnt/resize/resize.go | 0 vendor/github.com/nfnt/resize/thumbnail.go | 0 vendor/github.com/nfnt/resize/ycc.go | 0 vendor/github.com/niklasfasching/go-org/LICENSE | 0 .../github.com/niklasfasching/go-org/org/block.go | 0 .../niklasfasching/go-org/org/document.go | 0 .../github.com/niklasfasching/go-org/org/drawer.go | 0 .../niklasfasching/go-org/org/footnote.go | 0 .../github.com/niklasfasching/go-org/org/fuzz.go | 0 .../niklasfasching/go-org/org/headline.go | 0 .../niklasfasching/go-org/org/html_entity.go | 0 .../niklasfasching/go-org/org/html_writer.go | 0 .../github.com/niklasfasching/go-org/org/inline.go | 0 .../niklasfasching/go-org/org/keyword.go | 0 .../github.com/niklasfasching/go-org/org/list.go | 0 .../niklasfasching/go-org/org/org_writer.go | 0 .../niklasfasching/go-org/org/paragraph.go | 0 .../github.com/niklasfasching/go-org/org/table.go | 0 .../github.com/niklasfasching/go-org/org/util.go | 0 .../github.com/niklasfasching/go-org/org/writer.go | 0 .../github.com/olekukonko/tablewriter/.gitignore | 0 .../github.com/olekukonko/tablewriter/.travis.yml | 0 .../github.com/olekukonko/tablewriter/LICENSE.md | 0 vendor/github.com/olekukonko/tablewriter/README.md | 0 vendor/github.com/olekukonko/tablewriter/csv.go | 0 vendor/github.com/olekukonko/tablewriter/go.mod | 0 vendor/github.com/olekukonko/tablewriter/go.sum | 0 vendor/github.com/olekukonko/tablewriter/table.go | 0 .../olekukonko/tablewriter/table_with_color.go | 0 vendor/github.com/olekukonko/tablewriter/util.go | 0 vendor/github.com/olekukonko/tablewriter/wrap.go | 0 vendor/github.com/oliamb/cutter/.gitignore | 0 vendor/github.com/oliamb/cutter/.travis.yml | 0 vendor/github.com/oliamb/cutter/LICENSE | 0 vendor/github.com/oliamb/cutter/README.md | 0 vendor/github.com/oliamb/cutter/cutter.go | 0 vendor/github.com/olivere/elastic/v7/.fossa.yml | 0 vendor/github.com/olivere/elastic/v7/.gitignore | 0 vendor/github.com/olivere/elastic/v7/.travis.yml | 0 .../github.com/olivere/elastic/v7/CHANGELOG-3.0.md | 0 .../github.com/olivere/elastic/v7/CHANGELOG-5.0.md | 0 .../github.com/olivere/elastic/v7/CHANGELOG-6.0.md | 0 .../github.com/olivere/elastic/v7/CHANGELOG-7.0.md | 0 .../olivere/elastic/v7/CODE_OF_CONDUCT.md | 0 .../github.com/olivere/elastic/v7/CONTRIBUTING.md | 0 vendor/github.com/olivere/elastic/v7/CONTRIBUTORS | 0 .../olivere/elastic/v7/ISSUE_TEMPLATE.md | 0 vendor/github.com/olivere/elastic/v7/LICENSE | 0 vendor/github.com/olivere/elastic/v7/README.md | 0 .../olivere/elastic/v7/acknowledged_response.go | 0 vendor/github.com/olivere/elastic/v7/backoff.go | 0 vendor/github.com/olivere/elastic/v7/bulk.go | 0 .../olivere/elastic/v7/bulk_delete_request.go | 0 .../elastic/v7/bulk_delete_request_easyjson.go | 0 .../olivere/elastic/v7/bulk_index_request.go | 0 .../elastic/v7/bulk_index_request_easyjson.go | 0 .../olivere/elastic/v7/bulk_processor.go | 0 .../github.com/olivere/elastic/v7/bulk_request.go | 0 .../olivere/elastic/v7/bulk_update_request.go | 0 .../elastic/v7/bulk_update_request_easyjson.go | 0 .../github.com/olivere/elastic/v7/canonicalize.go | 0 .../github.com/olivere/elastic/v7/cat_aliases.go | 0 .../olivere/elastic/v7/cat_allocation.go | 0 vendor/github.com/olivere/elastic/v7/cat_count.go | 0 vendor/github.com/olivere/elastic/v7/cat_health.go | 0 .../github.com/olivere/elastic/v7/cat_indices.go | 0 .../github.com/olivere/elastic/v7/clear_scroll.go | 0 vendor/github.com/olivere/elastic/v7/client.go | 0 .../olivere/elastic/v7/cluster_health.go | 0 .../olivere/elastic/v7/cluster_reroute.go | 0 .../github.com/olivere/elastic/v7/cluster_state.go | 0 .../github.com/olivere/elastic/v7/cluster_stats.go | 0 .../github.com/olivere/elastic/v7/config/config.go | 0 vendor/github.com/olivere/elastic/v7/config/doc.go | 0 vendor/github.com/olivere/elastic/v7/connection.go | 0 vendor/github.com/olivere/elastic/v7/count.go | 0 vendor/github.com/olivere/elastic/v7/decoder.go | 0 vendor/github.com/olivere/elastic/v7/delete.go | 0 .../olivere/elastic/v7/delete_by_query.go | 0 vendor/github.com/olivere/elastic/v7/doc.go | 0 .../olivere/elastic/v7/docker-compose.yml | 0 .../olivere/elastic/v7/docvalue_field.go | 0 vendor/github.com/olivere/elastic/v7/errors.go | 0 vendor/github.com/olivere/elastic/v7/exists.go | 0 vendor/github.com/olivere/elastic/v7/explain.go | 0 .../olivere/elastic/v7/fetch_source_context.go | 0 vendor/github.com/olivere/elastic/v7/field_caps.go | 0 vendor/github.com/olivere/elastic/v7/geo_point.go | 0 vendor/github.com/olivere/elastic/v7/get.go | 0 vendor/github.com/olivere/elastic/v7/go.mod | 0 vendor/github.com/olivere/elastic/v7/highlight.go | 0 vendor/github.com/olivere/elastic/v7/index.go | 0 .../olivere/elastic/v7/indices_analyze.go | 0 .../github.com/olivere/elastic/v7/indices_close.go | 0 .../olivere/elastic/v7/indices_create.go | 0 .../olivere/elastic/v7/indices_delete.go | 0 .../olivere/elastic/v7/indices_delete_template.go | 0 .../olivere/elastic/v7/indices_exists.go | 0 .../olivere/elastic/v7/indices_exists_template.go | 0 .../github.com/olivere/elastic/v7/indices_flush.go | 0 .../olivere/elastic/v7/indices_flush_synced.go | 0 .../olivere/elastic/v7/indices_forcemerge.go | 0 .../olivere/elastic/v7/indices_freeze.go | 0 .../github.com/olivere/elastic/v7/indices_get.go | 0 .../olivere/elastic/v7/indices_get_aliases.go | 0 .../elastic/v7/indices_get_field_mapping.go | 0 .../olivere/elastic/v7/indices_get_mapping.go | 0 .../olivere/elastic/v7/indices_get_settings.go | 0 .../olivere/elastic/v7/indices_get_template.go | 0 .../github.com/olivere/elastic/v7/indices_open.go | 0 .../olivere/elastic/v7/indices_put_alias.go | 0 .../olivere/elastic/v7/indices_put_mapping.go | 0 .../olivere/elastic/v7/indices_put_settings.go | 0 .../olivere/elastic/v7/indices_put_template.go | 0 .../olivere/elastic/v7/indices_refresh.go | 0 .../olivere/elastic/v7/indices_rollover.go | 0 .../olivere/elastic/v7/indices_segments.go | 0 .../olivere/elastic/v7/indices_shrink.go | 0 .../github.com/olivere/elastic/v7/indices_stats.go | 0 .../olivere/elastic/v7/indices_unfreeze.go | 0 .../olivere/elastic/v7/ingest_delete_pipeline.go | 0 .../olivere/elastic/v7/ingest_get_pipeline.go | 0 .../olivere/elastic/v7/ingest_put_pipeline.go | 0 .../olivere/elastic/v7/ingest_simulate_pipeline.go | 0 vendor/github.com/olivere/elastic/v7/inner_hit.go | 0 vendor/github.com/olivere/elastic/v7/logger.go | 0 vendor/github.com/olivere/elastic/v7/mget.go | 0 vendor/github.com/olivere/elastic/v7/msearch.go | 0 .../github.com/olivere/elastic/v7/mtermvectors.go | 0 vendor/github.com/olivere/elastic/v7/nodes_info.go | 0 .../github.com/olivere/elastic/v7/nodes_stats.go | 0 vendor/github.com/olivere/elastic/v7/ping.go | 0 vendor/github.com/olivere/elastic/v7/plugins.go | 0 vendor/github.com/olivere/elastic/v7/query.go | 0 vendor/github.com/olivere/elastic/v7/reindex.go | 0 vendor/github.com/olivere/elastic/v7/request.go | 0 vendor/github.com/olivere/elastic/v7/rescore.go | 0 vendor/github.com/olivere/elastic/v7/rescorer.go | 0 vendor/github.com/olivere/elastic/v7/response.go | 0 vendor/github.com/olivere/elastic/v7/retrier.go | 0 vendor/github.com/olivere/elastic/v7/retry.go | 0 vendor/github.com/olivere/elastic/v7/run-es.sh | 0 vendor/github.com/olivere/elastic/v7/run-tests.sh | 0 vendor/github.com/olivere/elastic/v7/script.go | 0 .../github.com/olivere/elastic/v7/script_delete.go | 0 vendor/github.com/olivere/elastic/v7/script_get.go | 0 vendor/github.com/olivere/elastic/v7/script_put.go | 0 vendor/github.com/olivere/elastic/v7/scroll.go | 0 vendor/github.com/olivere/elastic/v7/search.go | 0 .../github.com/olivere/elastic/v7/search_aggs.go | 0 .../v7/search_aggs_bucket_adjacency_matrix.go | 0 .../v7/search_aggs_bucket_auto_date_histogram.go | 0 .../elastic/v7/search_aggs_bucket_children.go | 0 .../elastic/v7/search_aggs_bucket_composite.go | 0 .../v7/search_aggs_bucket_count_thresholds.go | 0 .../v7/search_aggs_bucket_date_histogram.go | 0 .../elastic/v7/search_aggs_bucket_date_range.go | 0 .../v7/search_aggs_bucket_diversified_sampler.go | 0 .../elastic/v7/search_aggs_bucket_filter.go | 0 .../elastic/v7/search_aggs_bucket_filters.go | 0 .../elastic/v7/search_aggs_bucket_geo_distance.go | 0 .../elastic/v7/search_aggs_bucket_geohash_grid.go | 0 .../elastic/v7/search_aggs_bucket_global.go | 0 .../elastic/v7/search_aggs_bucket_histogram.go | 0 .../elastic/v7/search_aggs_bucket_ip_range.go | 0 .../elastic/v7/search_aggs_bucket_missing.go | 0 .../elastic/v7/search_aggs_bucket_nested.go | 0 .../olivere/elastic/v7/search_aggs_bucket_range.go | 0 .../v7/search_aggs_bucket_reverse_nested.go | 0 .../elastic/v7/search_aggs_bucket_sampler.go | 0 .../v7/search_aggs_bucket_significant_terms.go | 0 .../v7/search_aggs_bucket_significant_text.go | 0 .../olivere/elastic/v7/search_aggs_bucket_terms.go | 0 .../olivere/elastic/v7/search_aggs_matrix_stats.go | 0 .../olivere/elastic/v7/search_aggs_metrics_avg.go | 0 .../elastic/v7/search_aggs_metrics_cardinality.go | 0 .../v7/search_aggs_metrics_extended_stats.go | 0 .../elastic/v7/search_aggs_metrics_geo_bounds.go | 0 .../elastic/v7/search_aggs_metrics_geo_centroid.go | 0 .../olivere/elastic/v7/search_aggs_metrics_max.go | 0 .../olivere/elastic/v7/search_aggs_metrics_min.go | 0 .../v7/search_aggs_metrics_percentile_ranks.go | 0 .../elastic/v7/search_aggs_metrics_percentiles.go | 0 .../v7/search_aggs_metrics_scripted_metric.go | 0 .../elastic/v7/search_aggs_metrics_stats.go | 0 .../olivere/elastic/v7/search_aggs_metrics_sum.go | 0 .../elastic/v7/search_aggs_metrics_top_hits.go | 0 .../elastic/v7/search_aggs_metrics_value_count.go | 0 .../elastic/v7/search_aggs_metrics_weighted_avg.go | 0 .../elastic/v7/search_aggs_pipeline_avg_bucket.go | 0 .../v7/search_aggs_pipeline_bucket_script.go | 0 .../v7/search_aggs_pipeline_bucket_selector.go | 0 .../elastic/v7/search_aggs_pipeline_bucket_sort.go | 0 .../v7/search_aggs_pipeline_cumulative_sum.go | 0 .../elastic/v7/search_aggs_pipeline_derivative.go | 0 .../search_aggs_pipeline_extended_stats_bucket.go | 0 .../elastic/v7/search_aggs_pipeline_max_bucket.go | 0 .../elastic/v7/search_aggs_pipeline_min_bucket.go | 0 .../elastic/v7/search_aggs_pipeline_mov_avg.go | 0 .../elastic/v7/search_aggs_pipeline_mov_fn.go | 0 .../v7/search_aggs_pipeline_percentiles_bucket.go | 0 .../elastic/v7/search_aggs_pipeline_serial_diff.go | 0 .../v7/search_aggs_pipeline_stats_bucket.go | 0 .../elastic/v7/search_aggs_pipeline_sum_bucket.go | 0 .../olivere/elastic/v7/search_collapse_builder.go | 0 .../olivere/elastic/v7/search_queries_bool.go | 0 .../olivere/elastic/v7/search_queries_boosting.go | 0 .../elastic/v7/search_queries_common_terms.go | 0 .../elastic/v7/search_queries_constant_score.go | 0 .../olivere/elastic/v7/search_queries_dis_max.go | 0 .../v7/search_queries_distance_feature_query.go | 0 .../olivere/elastic/v7/search_queries_exists.go | 0 .../olivere/elastic/v7/search_queries_fsq.go | 0 .../elastic/v7/search_queries_fsq_score_funcs.go | 0 .../olivere/elastic/v7/search_queries_fuzzy.go | 0 .../elastic/v7/search_queries_geo_bounding_box.go | 0 .../elastic/v7/search_queries_geo_distance.go | 0 .../elastic/v7/search_queries_geo_polygon.go | 0 .../olivere/elastic/v7/search_queries_has_child.go | 0 .../elastic/v7/search_queries_has_parent.go | 0 .../olivere/elastic/v7/search_queries_ids.go | 0 .../olivere/elastic/v7/search_queries_match.go | 0 .../olivere/elastic/v7/search_queries_match_all.go | 0 .../elastic/v7/search_queries_match_none.go | 0 .../elastic/v7/search_queries_match_phrase.go | 0 .../v7/search_queries_match_phrase_prefix.go | 0 .../elastic/v7/search_queries_more_like_this.go | 0 .../elastic/v7/search_queries_multi_match.go | 0 .../olivere/elastic/v7/search_queries_nested.go | 0 .../olivere/elastic/v7/search_queries_parent_id.go | 0 .../elastic/v7/search_queries_percolator.go | 0 .../olivere/elastic/v7/search_queries_prefix.go | 0 .../elastic/v7/search_queries_query_string.go | 0 .../olivere/elastic/v7/search_queries_range.go | 0 .../elastic/v7/search_queries_raw_string.go | 0 .../olivere/elastic/v7/search_queries_regexp.go | 0 .../olivere/elastic/v7/search_queries_script.go | 0 .../elastic/v7/search_queries_script_score.go | 0 .../v7/search_queries_simple_query_string.go | 0 .../olivere/elastic/v7/search_queries_slice.go | 0 .../olivere/elastic/v7/search_queries_term.go | 0 .../olivere/elastic/v7/search_queries_terms.go | 0 .../olivere/elastic/v7/search_queries_terms_set.go | 0 .../olivere/elastic/v7/search_queries_type.go | 0 .../olivere/elastic/v7/search_queries_wildcard.go | 0 .../olivere/elastic/v7/search_queries_wrapper.go | 0 .../olivere/elastic/v7/search_request.go | 0 .../github.com/olivere/elastic/v7/search_shards.go | 0 .../github.com/olivere/elastic/v7/search_source.go | 0 .../olivere/elastic/v7/search_terms_lookup.go | 0 .../olivere/elastic/v7/snapshot_create.go | 0 .../elastic/v7/snapshot_create_repository.go | 0 .../olivere/elastic/v7/snapshot_delete.go | 0 .../elastic/v7/snapshot_delete_repository.go | 0 .../github.com/olivere/elastic/v7/snapshot_get.go | 0 .../olivere/elastic/v7/snapshot_get_repository.go | 0 .../olivere/elastic/v7/snapshot_restore.go | 0 .../elastic/v7/snapshot_verify_repository.go | 0 vendor/github.com/olivere/elastic/v7/sort.go | 0 .../github.com/olivere/elastic/v7/suggest_field.go | 0 vendor/github.com/olivere/elastic/v7/suggester.go | 0 .../olivere/elastic/v7/suggester_completion.go | 0 .../olivere/elastic/v7/suggester_context.go | 0 .../elastic/v7/suggester_context_category.go | 0 .../olivere/elastic/v7/suggester_context_geo.go | 0 .../olivere/elastic/v7/suggester_phrase.go | 0 .../olivere/elastic/v7/suggester_term.go | 0 .../github.com/olivere/elastic/v7/tasks_cancel.go | 0 .../olivere/elastic/v7/tasks_get_task.go | 0 vendor/github.com/olivere/elastic/v7/tasks_list.go | 0 .../github.com/olivere/elastic/v7/termvectors.go | 0 vendor/github.com/olivere/elastic/v7/update.go | 0 .../olivere/elastic/v7/update_by_query.go | 0 .../olivere/elastic/v7/uritemplates/LICENSE | 0 .../elastic/v7/uritemplates/uritemplates.go | 0 .../olivere/elastic/v7/uritemplates/utils.go | 0 vendor/github.com/olivere/elastic/v7/validate.go | 0 .../elastic/v7/xpack_ilm_delete_lifecycle.go | 0 .../olivere/elastic/v7/xpack_ilm_get_lifecycle.go | 0 .../olivere/elastic/v7/xpack_ilm_put_lifecycle.go | 0 vendor/github.com/olivere/elastic/v7/xpack_info.go | 0 .../elastic/v7/xpack_security_change_password.go | 0 .../elastic/v7/xpack_security_delete_role.go | 0 .../v7/xpack_security_delete_role_mapping.go | 0 .../elastic/v7/xpack_security_delete_user.go | 0 .../elastic/v7/xpack_security_disable_user.go | 0 .../elastic/v7/xpack_security_enable_user.go | 0 .../olivere/elastic/v7/xpack_security_get_role.go | 0 .../elastic/v7/xpack_security_get_role_mapping.go | 0 .../olivere/elastic/v7/xpack_security_get_user.go | 0 .../olivere/elastic/v7/xpack_security_put_role.go | 0 .../elastic/v7/xpack_security_put_role_mapping.go | 0 .../olivere/elastic/v7/xpack_security_put_user.go | 0 .../olivere/elastic/v7/xpack_watcher_ack_watch.go | 0 .../elastic/v7/xpack_watcher_activate_watch.go | 0 .../elastic/v7/xpack_watcher_deactivate_watch.go | 0 .../elastic/v7/xpack_watcher_delete_watch.go | 0 .../elastic/v7/xpack_watcher_execute_watch.go | 0 .../olivere/elastic/v7/xpack_watcher_get_watch.go | 0 .../olivere/elastic/v7/xpack_watcher_put_watch.go | 0 .../olivere/elastic/v7/xpack_watcher_start.go | 0 .../olivere/elastic/v7/xpack_watcher_stats.go | 0 .../olivere/elastic/v7/xpack_watcher_stop.go | 0 .../opentracing/opentracing-go/.gitignore | 0 .../opentracing/opentracing-go/.travis.yml | 0 .../opentracing/opentracing-go/CHANGELOG.md | 0 .../github.com/opentracing/opentracing-go/LICENSE | 0 .../github.com/opentracing/opentracing-go/Makefile | 0 .../opentracing/opentracing-go/README.md | 0 .../opentracing/opentracing-go/ext/tags.go | 0 .../opentracing/opentracing-go/globaltracer.go | 0 .../opentracing/opentracing-go/gocontext.go | 0 .../opentracing/opentracing-go/log/field.go | 0 .../opentracing/opentracing-go/log/util.go | 0 .../github.com/opentracing/opentracing-go/noop.go | 0 .../opentracing/opentracing-go/propagation.go | 0 .../github.com/opentracing/opentracing-go/span.go | 0 .../opentracing/opentracing-go/tracer.go | 0 vendor/github.com/patrickmn/go-cache/CONTRIBUTORS | 0 vendor/github.com/patrickmn/go-cache/LICENSE | 0 vendor/github.com/patrickmn/go-cache/README.md | 0 vendor/github.com/patrickmn/go-cache/cache.go | 0 vendor/github.com/patrickmn/go-cache/sharded.go | 0 vendor/github.com/pelletier/go-toml/.dockerignore | 0 vendor/github.com/pelletier/go-toml/.gitignore | 0 vendor/github.com/pelletier/go-toml/.travis.yml | 0 .../github.com/pelletier/go-toml/CONTRIBUTING.md | 0 vendor/github.com/pelletier/go-toml/Dockerfile | 0 vendor/github.com/pelletier/go-toml/LICENSE | 0 .../pelletier/go-toml/PULL_REQUEST_TEMPLATE.md | 0 vendor/github.com/pelletier/go-toml/README.md | 0 vendor/github.com/pelletier/go-toml/appveyor.yml | 0 vendor/github.com/pelletier/go-toml/benchmark.json | 0 vendor/github.com/pelletier/go-toml/benchmark.sh | 0 vendor/github.com/pelletier/go-toml/benchmark.toml | 0 vendor/github.com/pelletier/go-toml/benchmark.yml | 0 vendor/github.com/pelletier/go-toml/doc.go | 0 .../github.com/pelletier/go-toml/example-crlf.toml | 0 vendor/github.com/pelletier/go-toml/example.toml | 0 vendor/github.com/pelletier/go-toml/fuzz.go | 0 vendor/github.com/pelletier/go-toml/fuzz.sh | 0 vendor/github.com/pelletier/go-toml/go.mod | 0 vendor/github.com/pelletier/go-toml/go.sum | 0 vendor/github.com/pelletier/go-toml/keysparsing.go | 0 vendor/github.com/pelletier/go-toml/lexer.go | 0 vendor/github.com/pelletier/go-toml/marshal.go | 0 .../go-toml/marshal_OrderPreserve_Map_test.toml | 0 .../go-toml/marshal_OrderPreserve_test.toml | 0 .../github.com/pelletier/go-toml/marshal_test.toml | 0 vendor/github.com/pelletier/go-toml/parser.go | 0 vendor/github.com/pelletier/go-toml/position.go | 0 vendor/github.com/pelletier/go-toml/token.go | 0 vendor/github.com/pelletier/go-toml/toml.go | 0 .../pelletier/go-toml/tomltree_create.go | 0 .../github.com/pelletier/go-toml/tomltree_write.go | 0 vendor/github.com/philhofer/fwd/LICENSE.md | 0 vendor/github.com/philhofer/fwd/README.md | 0 vendor/github.com/philhofer/fwd/reader.go | 0 vendor/github.com/philhofer/fwd/writer.go | 0 .../github.com/philhofer/fwd/writer_appengine.go | 0 vendor/github.com/philhofer/fwd/writer_unsafe.go | 0 vendor/github.com/pkg/errors/.gitignore | 0 vendor/github.com/pkg/errors/.travis.yml | 0 vendor/github.com/pkg/errors/LICENSE | 0 vendor/github.com/pkg/errors/Makefile | 0 vendor/github.com/pkg/errors/README.md | 0 vendor/github.com/pkg/errors/appveyor.yml | 0 vendor/github.com/pkg/errors/errors.go | 0 vendor/github.com/pkg/errors/go113.go | 0 vendor/github.com/pkg/errors/stack.go | 0 vendor/github.com/pmezard/go-difflib/LICENSE | 0 .../pmezard/go-difflib/difflib/difflib.go | 0 vendor/github.com/pquerna/otp/.travis.yml | 0 vendor/github.com/pquerna/otp/LICENSE | 0 vendor/github.com/pquerna/otp/NOTICE | 0 vendor/github.com/pquerna/otp/README.md | 0 vendor/github.com/pquerna/otp/doc.go | 0 vendor/github.com/pquerna/otp/go.mod | 0 vendor/github.com/pquerna/otp/go.sum | 0 vendor/github.com/pquerna/otp/hotp/hotp.go | 0 vendor/github.com/pquerna/otp/otp.go | 0 vendor/github.com/pquerna/otp/totp/totp.go | 0 vendor/github.com/prometheus/client_golang/LICENSE | 0 vendor/github.com/prometheus/client_golang/NOTICE | 0 .../prometheus/client_golang/prometheus/.gitignore | 0 .../prometheus/client_golang/prometheus/README.md | 0 .../client_golang/prometheus/build_info.go | 0 .../prometheus/build_info_pre_1.12.go | 0 .../client_golang/prometheus/collector.go | 0 .../prometheus/client_golang/prometheus/counter.go | 0 .../prometheus/client_golang/prometheus/desc.go | 0 .../prometheus/client_golang/prometheus/doc.go | 0 .../client_golang/prometheus/expvar_collector.go | 0 .../prometheus/client_golang/prometheus/fnv.go | 0 .../prometheus/client_golang/prometheus/gauge.go | 0 .../client_golang/prometheus/go_collector.go | 0 .../client_golang/prometheus/histogram.go | 0 .../client_golang/prometheus/internal/metric.go | 0 .../prometheus/client_golang/prometheus/labels.go | 0 .../prometheus/client_golang/prometheus/metric.go | 0 .../client_golang/prometheus/observer.go | 0 .../client_golang/prometheus/process_collector.go | 0 .../prometheus/process_collector_other.go | 0 .../prometheus/process_collector_windows.go | 0 .../client_golang/prometheus/promhttp/delegator.go | 0 .../client_golang/prometheus/promhttp/http.go | 0 .../prometheus/promhttp/instrument_client.go | 0 .../prometheus/promhttp/instrument_server.go | 0 .../client_golang/prometheus/registry.go | 0 .../prometheus/client_golang/prometheus/summary.go | 0 .../prometheus/client_golang/prometheus/timer.go | 0 .../prometheus/client_golang/prometheus/untyped.go | 0 .../prometheus/client_golang/prometheus/value.go | 0 .../prometheus/client_golang/prometheus/vec.go | 0 .../prometheus/client_golang/prometheus/wrap.go | 0 vendor/github.com/prometheus/client_model/LICENSE | 0 vendor/github.com/prometheus/client_model/NOTICE | 0 .../prometheus/client_model/go/metrics.pb.go | 0 vendor/github.com/prometheus/common/LICENSE | 0 vendor/github.com/prometheus/common/NOTICE | 0 .../github.com/prometheus/common/expfmt/decode.go | 0 .../github.com/prometheus/common/expfmt/encode.go | 0 .../github.com/prometheus/common/expfmt/expfmt.go | 0 vendor/github.com/prometheus/common/expfmt/fuzz.go | 0 .../prometheus/common/expfmt/text_create.go | 0 .../prometheus/common/expfmt/text_parse.go | 0 .../internal/bitbucket.org/ww/goautoneg/README.txt | 0 .../internal/bitbucket.org/ww/goautoneg/autoneg.go | 0 vendor/github.com/prometheus/common/model/alert.go | 0 .../prometheus/common/model/fingerprinting.go | 0 vendor/github.com/prometheus/common/model/fnv.go | 0 .../github.com/prometheus/common/model/labels.go | 0 .../github.com/prometheus/common/model/labelset.go | 0 .../github.com/prometheus/common/model/metric.go | 0 vendor/github.com/prometheus/common/model/model.go | 0 .../prometheus/common/model/signature.go | 0 .../github.com/prometheus/common/model/silence.go | 0 vendor/github.com/prometheus/common/model/time.go | 0 vendor/github.com/prometheus/common/model/value.go | 0 vendor/github.com/prometheus/procfs/.gitignore | 0 vendor/github.com/prometheus/procfs/.golangci.yml | 0 .../github.com/prometheus/procfs/CONTRIBUTING.md | 0 vendor/github.com/prometheus/procfs/LICENSE | 0 vendor/github.com/prometheus/procfs/MAINTAINERS.md | 0 vendor/github.com/prometheus/procfs/Makefile | 0 .../github.com/prometheus/procfs/Makefile.common | 0 vendor/github.com/prometheus/procfs/NOTICE | 0 vendor/github.com/prometheus/procfs/README.md | 0 vendor/github.com/prometheus/procfs/arp.go | 0 vendor/github.com/prometheus/procfs/buddyinfo.go | 0 vendor/github.com/prometheus/procfs/crypto.go | 0 vendor/github.com/prometheus/procfs/doc.go | 0 vendor/github.com/prometheus/procfs/fixtures.ttar | 0 vendor/github.com/prometheus/procfs/fs.go | 0 vendor/github.com/prometheus/procfs/go.mod | 0 vendor/github.com/prometheus/procfs/go.sum | 0 .../github.com/prometheus/procfs/internal/fs/fs.go | 0 .../prometheus/procfs/internal/util/parse.go | 0 .../prometheus/procfs/internal/util/sysreadfile.go | 0 .../procfs/internal/util/sysreadfile_compat.go | 0 .../prometheus/procfs/internal/util/valueparser.go | 0 vendor/github.com/prometheus/procfs/ipvs.go | 0 vendor/github.com/prometheus/procfs/mdstat.go | 0 vendor/github.com/prometheus/procfs/mountinfo.go | 0 vendor/github.com/prometheus/procfs/mountstats.go | 0 vendor/github.com/prometheus/procfs/net_dev.go | 0 vendor/github.com/prometheus/procfs/net_softnet.go | 0 vendor/github.com/prometheus/procfs/net_unix.go | 0 vendor/github.com/prometheus/procfs/proc.go | 0 .../github.com/prometheus/procfs/proc_environ.go | 0 vendor/github.com/prometheus/procfs/proc_fdinfo.go | 0 vendor/github.com/prometheus/procfs/proc_io.go | 0 vendor/github.com/prometheus/procfs/proc_limits.go | 0 vendor/github.com/prometheus/procfs/proc_ns.go | 0 vendor/github.com/prometheus/procfs/proc_psi.go | 0 vendor/github.com/prometheus/procfs/proc_stat.go | 0 vendor/github.com/prometheus/procfs/proc_status.go | 0 vendor/github.com/prometheus/procfs/schedstat.go | 0 vendor/github.com/prometheus/procfs/stat.go | 0 vendor/github.com/prometheus/procfs/ttar | 0 vendor/github.com/prometheus/procfs/vm.go | 0 vendor/github.com/prometheus/procfs/xfrm.go | 0 vendor/github.com/prometheus/procfs/zoneinfo.go | 0 vendor/github.com/quasoft/websspi/.gitignore | 0 vendor/github.com/quasoft/websspi/.travis.yml | 0 vendor/github.com/quasoft/websspi/LICENSE | 0 vendor/github.com/quasoft/websspi/README.md | 0 vendor/github.com/quasoft/websspi/go.mod | 0 vendor/github.com/quasoft/websspi/go.sum | 0 .../github.com/quasoft/websspi/secctx/session.go | 0 vendor/github.com/quasoft/websspi/secctx/store.go | 0 vendor/github.com/quasoft/websspi/userinfo.go | 0 vendor/github.com/quasoft/websspi/utf16.go | 0 .../github.com/quasoft/websspi/websspi_windows.go | 0 vendor/github.com/quasoft/websspi/win32_windows.go | 0 vendor/github.com/robfig/cron/v3/.travis.yml | 1 - vendor/github.com/robfig/cron/v3/LICENSE | 21 - vendor/github.com/robfig/cron/v3/README.md | 125 ------ vendor/github.com/robfig/cron/v3/chain.go | 92 ----- vendor/github.com/robfig/cron/v3/constantdelay.go | 27 -- vendor/github.com/robfig/cron/v3/cron.go | 355 ----------------- vendor/github.com/robfig/cron/v3/doc.go | 231 ----------- vendor/github.com/robfig/cron/v3/go.mod | 3 - vendor/github.com/robfig/cron/v3/logger.go | 86 ---- vendor/github.com/robfig/cron/v3/option.go | 45 --- vendor/github.com/robfig/cron/v3/parser.go | 434 --------------------- vendor/github.com/robfig/cron/v3/spec.go | 188 --------- .../github.com/russross/blackfriday/v2/.gitignore | 0 .../github.com/russross/blackfriday/v2/.travis.yml | 0 .../github.com/russross/blackfriday/v2/LICENSE.txt | 0 .../github.com/russross/blackfriday/v2/README.md | 0 vendor/github.com/russross/blackfriday/v2/block.go | 0 vendor/github.com/russross/blackfriday/v2/doc.go | 0 vendor/github.com/russross/blackfriday/v2/esc.go | 0 vendor/github.com/russross/blackfriday/v2/go.mod | 0 vendor/github.com/russross/blackfriday/v2/html.go | 0 .../github.com/russross/blackfriday/v2/inline.go | 0 .../github.com/russross/blackfriday/v2/markdown.go | 0 vendor/github.com/russross/blackfriday/v2/node.go | 0 .../russross/blackfriday/v2/smartypants.go | 0 vendor/github.com/satori/go.uuid/.travis.yml | 0 vendor/github.com/satori/go.uuid/LICENSE | 0 vendor/github.com/satori/go.uuid/README.md | 0 vendor/github.com/satori/go.uuid/codec.go | 0 vendor/github.com/satori/go.uuid/generator.go | 0 vendor/github.com/satori/go.uuid/sql.go | 0 vendor/github.com/satori/go.uuid/uuid.go | 0 vendor/github.com/sergi/go-diff/AUTHORS | 0 vendor/github.com/sergi/go-diff/CONTRIBUTORS | 0 vendor/github.com/sergi/go-diff/LICENSE | 0 .../sergi/go-diff/diffmatchpatch/diff.go | 0 .../sergi/go-diff/diffmatchpatch/diffmatchpatch.go | 0 .../sergi/go-diff/diffmatchpatch/match.go | 0 .../sergi/go-diff/diffmatchpatch/mathutil.go | 0 .../go-diff/diffmatchpatch/operation_string.go | 0 .../sergi/go-diff/diffmatchpatch/patch.go | 0 .../sergi/go-diff/diffmatchpatch/stringutil.go | 0 vendor/github.com/shurcooL/httpfs/LICENSE | 0 vendor/github.com/shurcooL/httpfs/vfsutil/file.go | 0 .../github.com/shurcooL/httpfs/vfsutil/vfsutil.go | 0 vendor/github.com/shurcooL/httpfs/vfsutil/walk.go | 0 .../shurcooL/sanitized_anchor_name/.travis.yml | 0 .../shurcooL/sanitized_anchor_name/LICENSE | 0 .../shurcooL/sanitized_anchor_name/README.md | 0 .../shurcooL/sanitized_anchor_name/go.mod | 0 .../shurcooL/sanitized_anchor_name/main.go | 0 vendor/github.com/shurcooL/vfsgen/.travis.yml | 0 vendor/github.com/shurcooL/vfsgen/CONTRIBUTING.md | 0 vendor/github.com/shurcooL/vfsgen/LICENSE | 0 vendor/github.com/shurcooL/vfsgen/README.md | 0 vendor/github.com/shurcooL/vfsgen/commentwriter.go | 0 vendor/github.com/shurcooL/vfsgen/doc.go | 0 vendor/github.com/shurcooL/vfsgen/generator.go | 0 vendor/github.com/shurcooL/vfsgen/options.go | 0 vendor/github.com/shurcooL/vfsgen/stringwriter.go | 0 vendor/github.com/siddontang/go-snappy/AUTHORS | 0 .../github.com/siddontang/go-snappy/CONTRIBUTORS | 0 vendor/github.com/siddontang/go-snappy/LICENSE | 0 .../siddontang/go-snappy/snappy/decode.go | 0 .../siddontang/go-snappy/snappy/encode.go | 0 .../siddontang/go-snappy/snappy/snappy.go | 0 vendor/github.com/spf13/afero/.travis.yml | 0 vendor/github.com/spf13/afero/LICENSE.txt | 0 vendor/github.com/spf13/afero/README.md | 0 vendor/github.com/spf13/afero/afero.go | 0 vendor/github.com/spf13/afero/appveyor.yml | 0 vendor/github.com/spf13/afero/basepath.go | 0 vendor/github.com/spf13/afero/cacheOnReadFs.go | 0 vendor/github.com/spf13/afero/const_bsds.go | 0 vendor/github.com/spf13/afero/const_win_unix.go | 0 vendor/github.com/spf13/afero/copyOnWriteFs.go | 0 vendor/github.com/spf13/afero/go.mod | 0 vendor/github.com/spf13/afero/go.sum | 0 vendor/github.com/spf13/afero/httpFs.go | 0 vendor/github.com/spf13/afero/ioutil.go | 0 vendor/github.com/spf13/afero/lstater.go | 0 vendor/github.com/spf13/afero/match.go | 0 vendor/github.com/spf13/afero/mem/dir.go | 0 vendor/github.com/spf13/afero/mem/dirmap.go | 0 vendor/github.com/spf13/afero/mem/file.go | 0 vendor/github.com/spf13/afero/memmap.go | 0 vendor/github.com/spf13/afero/os.go | 0 vendor/github.com/spf13/afero/path.go | 0 vendor/github.com/spf13/afero/readonlyfs.go | 0 vendor/github.com/spf13/afero/regexpfs.go | 0 vendor/github.com/spf13/afero/unionFile.go | 0 vendor/github.com/spf13/afero/util.go | 0 vendor/github.com/spf13/cast/.gitignore | 0 vendor/github.com/spf13/cast/.travis.yml | 0 vendor/github.com/spf13/cast/LICENSE | 0 vendor/github.com/spf13/cast/Makefile | 0 vendor/github.com/spf13/cast/README.md | 0 vendor/github.com/spf13/cast/cast.go | 0 vendor/github.com/spf13/cast/caste.go | 0 vendor/github.com/spf13/cast/go.mod | 0 vendor/github.com/spf13/cast/go.sum | 0 .../github.com/spf13/jwalterweatherman/.gitignore | 0 vendor/github.com/spf13/jwalterweatherman/LICENSE | 0 .../github.com/spf13/jwalterweatherman/README.md | 0 .../spf13/jwalterweatherman/default_notepad.go | 0 vendor/github.com/spf13/jwalterweatherman/go.mod | 0 .../spf13/jwalterweatherman/log_counter.go | 0 .../github.com/spf13/jwalterweatherman/notepad.go | 0 vendor/github.com/spf13/pflag/.gitignore | 0 vendor/github.com/spf13/pflag/.travis.yml | 0 vendor/github.com/spf13/pflag/LICENSE | 0 vendor/github.com/spf13/pflag/README.md | 0 vendor/github.com/spf13/pflag/bool.go | 0 vendor/github.com/spf13/pflag/bool_slice.go | 0 vendor/github.com/spf13/pflag/bytes.go | 0 vendor/github.com/spf13/pflag/count.go | 0 vendor/github.com/spf13/pflag/duration.go | 0 vendor/github.com/spf13/pflag/duration_slice.go | 0 vendor/github.com/spf13/pflag/flag.go | 0 vendor/github.com/spf13/pflag/float32.go | 0 vendor/github.com/spf13/pflag/float64.go | 0 vendor/github.com/spf13/pflag/golangflag.go | 0 vendor/github.com/spf13/pflag/int.go | 0 vendor/github.com/spf13/pflag/int16.go | 0 vendor/github.com/spf13/pflag/int32.go | 0 vendor/github.com/spf13/pflag/int64.go | 0 vendor/github.com/spf13/pflag/int8.go | 0 vendor/github.com/spf13/pflag/int_slice.go | 0 vendor/github.com/spf13/pflag/ip.go | 0 vendor/github.com/spf13/pflag/ip_slice.go | 0 vendor/github.com/spf13/pflag/ipmask.go | 0 vendor/github.com/spf13/pflag/ipnet.go | 0 vendor/github.com/spf13/pflag/string.go | 0 vendor/github.com/spf13/pflag/string_array.go | 0 vendor/github.com/spf13/pflag/string_slice.go | 0 vendor/github.com/spf13/pflag/string_to_int.go | 0 vendor/github.com/spf13/pflag/string_to_string.go | 0 vendor/github.com/spf13/pflag/uint.go | 0 vendor/github.com/spf13/pflag/uint16.go | 0 vendor/github.com/spf13/pflag/uint32.go | 0 vendor/github.com/spf13/pflag/uint64.go | 0 vendor/github.com/spf13/pflag/uint8.go | 0 vendor/github.com/spf13/pflag/uint_slice.go | 0 vendor/github.com/spf13/viper/.gitignore | 0 vendor/github.com/spf13/viper/.travis.yml | 0 vendor/github.com/spf13/viper/LICENSE | 0 vendor/github.com/spf13/viper/README.md | 0 vendor/github.com/spf13/viper/flags.go | 0 vendor/github.com/spf13/viper/go.mod | 0 vendor/github.com/spf13/viper/go.sum | 0 vendor/github.com/spf13/viper/util.go | 0 vendor/github.com/spf13/viper/viper.go | 0 vendor/github.com/steveyen/gtreap/.gitignore | 0 vendor/github.com/steveyen/gtreap/LICENSE | 0 vendor/github.com/steveyen/gtreap/README.md | 0 vendor/github.com/steveyen/gtreap/go.mod | 0 vendor/github.com/steveyen/gtreap/treap.go | 0 vendor/github.com/streadway/amqp/.gitignore | 0 vendor/github.com/streadway/amqp/.travis.yml | 0 vendor/github.com/streadway/amqp/CONTRIBUTING.md | 0 vendor/github.com/streadway/amqp/LICENSE | 0 vendor/github.com/streadway/amqp/README.md | 0 vendor/github.com/streadway/amqp/allocator.go | 0 vendor/github.com/streadway/amqp/auth.go | 0 vendor/github.com/streadway/amqp/certs.sh | 0 vendor/github.com/streadway/amqp/channel.go | 0 vendor/github.com/streadway/amqp/confirms.go | 0 vendor/github.com/streadway/amqp/connection.go | 0 vendor/github.com/streadway/amqp/consumers.go | 0 vendor/github.com/streadway/amqp/delivery.go | 0 vendor/github.com/streadway/amqp/doc.go | 0 vendor/github.com/streadway/amqp/fuzz.go | 0 vendor/github.com/streadway/amqp/gen.sh | 0 vendor/github.com/streadway/amqp/pre-commit | 0 vendor/github.com/streadway/amqp/read.go | 0 vendor/github.com/streadway/amqp/return.go | 0 vendor/github.com/streadway/amqp/spec091.go | 0 vendor/github.com/streadway/amqp/types.go | 0 vendor/github.com/streadway/amqp/uri.go | 0 vendor/github.com/streadway/amqp/write.go | 0 vendor/github.com/stretchr/testify/LICENSE | 0 .../stretchr/testify/assert/assertion_compare.go | 0 .../stretchr/testify/assert/assertion_format.go | 0 .../testify/assert/assertion_format.go.tmpl | 0 .../stretchr/testify/assert/assertion_forward.go | 0 .../testify/assert/assertion_forward.go.tmpl | 0 .../stretchr/testify/assert/assertion_order.go | 0 .../stretchr/testify/assert/assertions.go | 0 vendor/github.com/stretchr/testify/assert/doc.go | 0 .../github.com/stretchr/testify/assert/errors.go | 0 .../stretchr/testify/assert/forward_assertions.go | 0 .../stretchr/testify/assert/http_assertions.go | 0 vendor/github.com/stretchr/testify/require/doc.go | 0 .../testify/require/forward_requirements.go | 0 .../github.com/stretchr/testify/require/require.go | 0 .../stretchr/testify/require/require.go.tmpl | 0 .../stretchr/testify/require/require_forward.go | 0 .../testify/require/require_forward.go.tmpl | 0 .../stretchr/testify/require/requirements.go | 0 vendor/github.com/syndtr/goleveldb/LICENSE | 0 .../github.com/syndtr/goleveldb/leveldb/batch.go | 0 .../syndtr/goleveldb/leveldb/cache/cache.go | 0 .../syndtr/goleveldb/leveldb/cache/lru.go | 0 .../syndtr/goleveldb/leveldb/comparer.go | 0 .../goleveldb/leveldb/comparer/bytes_comparer.go | 0 .../syndtr/goleveldb/leveldb/comparer/comparer.go | 0 vendor/github.com/syndtr/goleveldb/leveldb/db.go | 0 .../syndtr/goleveldb/leveldb/db_compaction.go | 0 .../github.com/syndtr/goleveldb/leveldb/db_iter.go | 0 .../syndtr/goleveldb/leveldb/db_snapshot.go | 0 .../syndtr/goleveldb/leveldb/db_state.go | 0 .../syndtr/goleveldb/leveldb/db_transaction.go | 0 .../github.com/syndtr/goleveldb/leveldb/db_util.go | 0 .../syndtr/goleveldb/leveldb/db_write.go | 0 vendor/github.com/syndtr/goleveldb/leveldb/doc.go | 0 .../github.com/syndtr/goleveldb/leveldb/errors.go | 0 .../syndtr/goleveldb/leveldb/errors/errors.go | 0 .../github.com/syndtr/goleveldb/leveldb/filter.go | 0 .../syndtr/goleveldb/leveldb/filter/bloom.go | 0 .../syndtr/goleveldb/leveldb/filter/filter.go | 0 .../goleveldb/leveldb/iterator/array_iter.go | 0 .../goleveldb/leveldb/iterator/indexed_iter.go | 0 .../syndtr/goleveldb/leveldb/iterator/iter.go | 0 .../goleveldb/leveldb/iterator/merged_iter.go | 0 .../syndtr/goleveldb/leveldb/journal/journal.go | 0 vendor/github.com/syndtr/goleveldb/leveldb/key.go | 0 .../syndtr/goleveldb/leveldb/memdb/memdb.go | 0 .../syndtr/goleveldb/leveldb/opt/options.go | 0 .../github.com/syndtr/goleveldb/leveldb/options.go | 0 .../github.com/syndtr/goleveldb/leveldb/session.go | 0 .../syndtr/goleveldb/leveldb/session_compaction.go | 0 .../syndtr/goleveldb/leveldb/session_record.go | 0 .../syndtr/goleveldb/leveldb/session_util.go | 0 .../github.com/syndtr/goleveldb/leveldb/storage.go | 0 .../goleveldb/leveldb/storage/file_storage.go | 0 .../goleveldb/leveldb/storage/file_storage_nacl.go | 0 .../leveldb/storage/file_storage_plan9.go | 0 .../leveldb/storage/file_storage_solaris.go | 0 .../goleveldb/leveldb/storage/file_storage_unix.go | 0 .../leveldb/storage/file_storage_windows.go | 0 .../goleveldb/leveldb/storage/mem_storage.go | 0 .../syndtr/goleveldb/leveldb/storage/storage.go | 0 .../github.com/syndtr/goleveldb/leveldb/table.go | 0 .../syndtr/goleveldb/leveldb/table/reader.go | 0 .../syndtr/goleveldb/leveldb/table/table.go | 0 .../syndtr/goleveldb/leveldb/table/writer.go | 0 vendor/github.com/syndtr/goleveldb/leveldb/util.go | 0 .../syndtr/goleveldb/leveldb/util/buffer.go | 0 .../syndtr/goleveldb/leveldb/util/buffer_pool.go | 0 .../syndtr/goleveldb/leveldb/util/crc32.go | 0 .../syndtr/goleveldb/leveldb/util/hash.go | 0 .../syndtr/goleveldb/leveldb/util/range.go | 0 .../syndtr/goleveldb/leveldb/util/util.go | 0 .../github.com/syndtr/goleveldb/leveldb/version.go | 0 vendor/github.com/tinylib/msgp/LICENSE | 0 .../github.com/tinylib/msgp/msgp/advise_linux.go | 0 .../github.com/tinylib/msgp/msgp/advise_other.go | 0 vendor/github.com/tinylib/msgp/msgp/circular.go | 0 vendor/github.com/tinylib/msgp/msgp/defs.go | 0 vendor/github.com/tinylib/msgp/msgp/edit.go | 0 vendor/github.com/tinylib/msgp/msgp/elsize.go | 0 vendor/github.com/tinylib/msgp/msgp/errors.go | 0 vendor/github.com/tinylib/msgp/msgp/extension.go | 0 vendor/github.com/tinylib/msgp/msgp/file.go | 0 vendor/github.com/tinylib/msgp/msgp/file_port.go | 0 vendor/github.com/tinylib/msgp/msgp/integers.go | 0 vendor/github.com/tinylib/msgp/msgp/json.go | 0 vendor/github.com/tinylib/msgp/msgp/json_bytes.go | 0 vendor/github.com/tinylib/msgp/msgp/number.go | 0 vendor/github.com/tinylib/msgp/msgp/purego.go | 0 vendor/github.com/tinylib/msgp/msgp/read.go | 0 vendor/github.com/tinylib/msgp/msgp/read_bytes.go | 0 vendor/github.com/tinylib/msgp/msgp/size.go | 0 vendor/github.com/tinylib/msgp/msgp/unsafe.go | 0 vendor/github.com/tinylib/msgp/msgp/write.go | 0 vendor/github.com/tinylib/msgp/msgp/write_bytes.go | 0 vendor/github.com/tjfoc/gmsm/LICENSE | 0 vendor/github.com/tjfoc/gmsm/sm3/sm3.go | 0 vendor/github.com/toqueteos/trie/LICENSE.txt | 0 vendor/github.com/toqueteos/trie/README.md | 0 vendor/github.com/toqueteos/trie/go.mod | 0 vendor/github.com/toqueteos/trie/trie.go | 0 vendor/github.com/toqueteos/webbrowser/.travis.yml | 0 .../toqueteos/webbrowser/CONTRIBUTING.md | 0 vendor/github.com/toqueteos/webbrowser/LICENSE.md | 0 vendor/github.com/toqueteos/webbrowser/README.md | 0 vendor/github.com/toqueteos/webbrowser/go.mod | 0 .../github.com/toqueteos/webbrowser/webbrowser.go | 0 vendor/github.com/tstranex/u2f/.gitignore | 0 vendor/github.com/tstranex/u2f/.travis.yml | 0 vendor/github.com/tstranex/u2f/LICENSE | 0 vendor/github.com/tstranex/u2f/README.md | 0 vendor/github.com/tstranex/u2f/auth.go | 0 vendor/github.com/tstranex/u2f/certs.go | 0 vendor/github.com/tstranex/u2f/messages.go | 0 vendor/github.com/tstranex/u2f/register.go | 0 vendor/github.com/tstranex/u2f/util.go | 0 vendor/github.com/unknwon/cae/.gitignore | 0 vendor/github.com/unknwon/cae/LICENSE | 0 vendor/github.com/unknwon/cae/README.md | 0 vendor/github.com/unknwon/cae/README_ZH.md | 0 vendor/github.com/unknwon/cae/cae.go | 0 vendor/github.com/unknwon/cae/zip/read.go | 0 vendor/github.com/unknwon/cae/zip/stream.go | 0 vendor/github.com/unknwon/cae/zip/write.go | 0 vendor/github.com/unknwon/cae/zip/zip.go | 0 vendor/github.com/unknwon/com/.gitignore | 0 vendor/github.com/unknwon/com/.travis.yml | 0 vendor/github.com/unknwon/com/LICENSE | 0 vendor/github.com/unknwon/com/README.md | 0 vendor/github.com/unknwon/com/cmd.go | 0 vendor/github.com/unknwon/com/convert.go | 0 vendor/github.com/unknwon/com/dir.go | 0 vendor/github.com/unknwon/com/file.go | 0 vendor/github.com/unknwon/com/go.mod | 0 vendor/github.com/unknwon/com/go.sum | 0 vendor/github.com/unknwon/com/html.go | 0 vendor/github.com/unknwon/com/http.go | 0 vendor/github.com/unknwon/com/math.go | 0 vendor/github.com/unknwon/com/path.go | 0 vendor/github.com/unknwon/com/regex.go | 0 vendor/github.com/unknwon/com/slice.go | 0 vendor/github.com/unknwon/com/string.go | 0 vendor/github.com/unknwon/com/time.go | 0 vendor/github.com/unknwon/com/url.go | 0 vendor/github.com/unknwon/i18n/.gitignore | 0 vendor/github.com/unknwon/i18n/LICENSE | 0 vendor/github.com/unknwon/i18n/Makefile | 0 vendor/github.com/unknwon/i18n/README.md | 0 vendor/github.com/unknwon/i18n/go.mod | 0 vendor/github.com/unknwon/i18n/go.sum | 0 vendor/github.com/unknwon/i18n/i18n.go | 0 vendor/github.com/unknwon/paginater/.gitignore | 0 vendor/github.com/unknwon/paginater/LICENSE | 0 vendor/github.com/unknwon/paginater/README.md | 0 vendor/github.com/unknwon/paginater/paginater.go | 0 vendor/github.com/urfave/cli/.flake8 | 0 vendor/github.com/urfave/cli/.gitignore | 0 vendor/github.com/urfave/cli/.travis.yml | 0 vendor/github.com/urfave/cli/CHANGELOG.md | 0 vendor/github.com/urfave/cli/CODE_OF_CONDUCT.md | 0 vendor/github.com/urfave/cli/CONTRIBUTING.md | 0 vendor/github.com/urfave/cli/LICENSE | 0 vendor/github.com/urfave/cli/README.md | 0 vendor/github.com/urfave/cli/app.go | 0 vendor/github.com/urfave/cli/appveyor.yml | 0 vendor/github.com/urfave/cli/category.go | 0 vendor/github.com/urfave/cli/cli.go | 0 vendor/github.com/urfave/cli/command.go | 0 vendor/github.com/urfave/cli/context.go | 0 vendor/github.com/urfave/cli/docs.go | 0 vendor/github.com/urfave/cli/errors.go | 0 vendor/github.com/urfave/cli/fish.go | 0 vendor/github.com/urfave/cli/flag.go | 0 vendor/github.com/urfave/cli/flag_bool.go | 0 vendor/github.com/urfave/cli/flag_bool_t.go | 0 vendor/github.com/urfave/cli/flag_duration.go | 0 vendor/github.com/urfave/cli/flag_float64.go | 0 vendor/github.com/urfave/cli/flag_generic.go | 0 vendor/github.com/urfave/cli/flag_int.go | 0 vendor/github.com/urfave/cli/flag_int64.go | 0 vendor/github.com/urfave/cli/flag_int64_slice.go | 0 vendor/github.com/urfave/cli/flag_int_slice.go | 0 vendor/github.com/urfave/cli/flag_string.go | 0 vendor/github.com/urfave/cli/flag_string_slice.go | 0 vendor/github.com/urfave/cli/flag_uint.go | 0 vendor/github.com/urfave/cli/flag_uint64.go | 0 vendor/github.com/urfave/cli/funcs.go | 0 vendor/github.com/urfave/cli/go.mod | 0 vendor/github.com/urfave/cli/go.sum | 0 vendor/github.com/urfave/cli/help.go | 0 vendor/github.com/urfave/cli/parse.go | 0 vendor/github.com/urfave/cli/sort.go | 0 vendor/github.com/urfave/cli/template.go | 0 vendor/github.com/willf/bitset/.gitignore | 0 vendor/github.com/willf/bitset/.travis.yml | 0 vendor/github.com/willf/bitset/LICENSE | 0 vendor/github.com/willf/bitset/Makefile | 0 vendor/github.com/willf/bitset/README.md | 0 vendor/github.com/willf/bitset/bitset.go | 0 vendor/github.com/willf/bitset/popcnt.go | 0 vendor/github.com/willf/bitset/popcnt_19.go | 0 vendor/github.com/willf/bitset/popcnt_amd64.go | 0 vendor/github.com/willf/bitset/popcnt_amd64.s | 0 vendor/github.com/willf/bitset/popcnt_generic.go | 0 .../github.com/willf/bitset/trailing_zeros_18.go | 0 .../github.com/willf/bitset/trailing_zeros_19.go | 0 vendor/github.com/xanzy/go-gitlab/.gitignore | 0 vendor/github.com/xanzy/go-gitlab/.travis.yml | 0 vendor/github.com/xanzy/go-gitlab/CHANGELOG.md | 0 vendor/github.com/xanzy/go-gitlab/LICENSE | 0 vendor/github.com/xanzy/go-gitlab/README.md | 0 .../github.com/xanzy/go-gitlab/access_requests.go | 0 vendor/github.com/xanzy/go-gitlab/applications.go | 0 vendor/github.com/xanzy/go-gitlab/award_emojis.go | 0 vendor/github.com/xanzy/go-gitlab/boards.go | 0 vendor/github.com/xanzy/go-gitlab/branches.go | 0 .../xanzy/go-gitlab/broadcast_messages.go | 0 .../github.com/xanzy/go-gitlab/ci_yml_templates.go | 0 .../github.com/xanzy/go-gitlab/client_options.go | 0 vendor/github.com/xanzy/go-gitlab/commits.go | 0 .../xanzy/go-gitlab/custom_attributes.go | 0 vendor/github.com/xanzy/go-gitlab/deploy_keys.go | 0 vendor/github.com/xanzy/go-gitlab/deploy_tokens.go | 0 vendor/github.com/xanzy/go-gitlab/deployments.go | 0 vendor/github.com/xanzy/go-gitlab/discussions.go | 0 vendor/github.com/xanzy/go-gitlab/environments.go | 0 vendor/github.com/xanzy/go-gitlab/epics.go | 0 vendor/github.com/xanzy/go-gitlab/event_parsing.go | 0 .../xanzy/go-gitlab/event_systemhook_types.go | 0 .../xanzy/go-gitlab/event_webhook_types.go | 0 vendor/github.com/xanzy/go-gitlab/events.go | 0 vendor/github.com/xanzy/go-gitlab/feature_flags.go | 0 .../xanzy/go-gitlab/gitignore_templates.go | 0 vendor/github.com/xanzy/go-gitlab/gitlab.go | 0 vendor/github.com/xanzy/go-gitlab/go.mod | 0 vendor/github.com/xanzy/go-gitlab/go.sum | 0 vendor/github.com/xanzy/go-gitlab/group_badges.go | 0 vendor/github.com/xanzy/go-gitlab/group_boards.go | 0 .../github.com/xanzy/go-gitlab/group_clusters.go | 0 vendor/github.com/xanzy/go-gitlab/group_hooks.go | 0 vendor/github.com/xanzy/go-gitlab/group_labels.go | 0 vendor/github.com/xanzy/go-gitlab/group_members.go | 0 .../github.com/xanzy/go-gitlab/group_milestones.go | 0 .../github.com/xanzy/go-gitlab/group_variables.go | 0 vendor/github.com/xanzy/go-gitlab/groups.go | 0 vendor/github.com/xanzy/go-gitlab/issue_links.go | 0 vendor/github.com/xanzy/go-gitlab/issues.go | 0 vendor/github.com/xanzy/go-gitlab/jobs.go | 0 vendor/github.com/xanzy/go-gitlab/keys.go | 0 vendor/github.com/xanzy/go-gitlab/labels.go | 0 vendor/github.com/xanzy/go-gitlab/license.go | 0 .../xanzy/go-gitlab/license_templates.go | 0 .../xanzy/go-gitlab/merge_request_approvals.go | 0 .../github.com/xanzy/go-gitlab/merge_requests.go | 0 vendor/github.com/xanzy/go-gitlab/milestones.go | 0 vendor/github.com/xanzy/go-gitlab/namespaces.go | 0 vendor/github.com/xanzy/go-gitlab/notes.go | 0 vendor/github.com/xanzy/go-gitlab/notifications.go | 0 vendor/github.com/xanzy/go-gitlab/pages_domains.go | 0 .../xanzy/go-gitlab/pipeline_schedules.go | 0 .../xanzy/go-gitlab/pipeline_triggers.go | 0 vendor/github.com/xanzy/go-gitlab/pipelines.go | 0 .../github.com/xanzy/go-gitlab/project_badges.go | 0 .../github.com/xanzy/go-gitlab/project_clusters.go | 0 .../xanzy/go-gitlab/project_import_export.go | 0 .../github.com/xanzy/go-gitlab/project_members.go | 0 .../github.com/xanzy/go-gitlab/project_snippets.go | 0 .../xanzy/go-gitlab/project_variables.go | 0 vendor/github.com/xanzy/go-gitlab/projects.go | 0 .../xanzy/go-gitlab/protected_branches.go | 0 .../github.com/xanzy/go-gitlab/protected_tags.go | 0 vendor/github.com/xanzy/go-gitlab/registry.go | 0 vendor/github.com/xanzy/go-gitlab/releaselinks.go | 0 vendor/github.com/xanzy/go-gitlab/releases.go | 0 vendor/github.com/xanzy/go-gitlab/repositories.go | 0 .../github.com/xanzy/go-gitlab/repository_files.go | 0 .../github.com/xanzy/go-gitlab/request_options.go | 0 .../xanzy/go-gitlab/resource_label_events.go | 0 vendor/github.com/xanzy/go-gitlab/runners.go | 0 vendor/github.com/xanzy/go-gitlab/search.go | 0 vendor/github.com/xanzy/go-gitlab/services.go | 0 vendor/github.com/xanzy/go-gitlab/settings.go | 0 .../github.com/xanzy/go-gitlab/sidekiq_metrics.go | 0 vendor/github.com/xanzy/go-gitlab/snippets.go | 0 vendor/github.com/xanzy/go-gitlab/strings.go | 0 vendor/github.com/xanzy/go-gitlab/system_hooks.go | 0 vendor/github.com/xanzy/go-gitlab/tags.go | 0 vendor/github.com/xanzy/go-gitlab/time_stats.go | 0 vendor/github.com/xanzy/go-gitlab/todos.go | 0 vendor/github.com/xanzy/go-gitlab/users.go | 0 vendor/github.com/xanzy/go-gitlab/validate.go | 0 vendor/github.com/xanzy/go-gitlab/version.go | 0 vendor/github.com/xanzy/go-gitlab/wikis.go | 0 vendor/github.com/xanzy/ssh-agent/.gitignore | 0 vendor/github.com/xanzy/ssh-agent/LICENSE | 0 vendor/github.com/xanzy/ssh-agent/README.md | 0 vendor/github.com/xanzy/ssh-agent/go.mod | 0 vendor/github.com/xanzy/ssh-agent/go.sum | 0 .../github.com/xanzy/ssh-agent/pageant_windows.go | 0 vendor/github.com/xanzy/ssh-agent/sshagent.go | 0 .../github.com/xanzy/ssh-agent/sshagent_windows.go | 0 vendor/github.com/xdg/scram/.gitignore | 0 vendor/github.com/xdg/scram/.travis.yml | 0 vendor/github.com/xdg/scram/LICENSE | 0 vendor/github.com/xdg/scram/README.md | 0 vendor/github.com/xdg/scram/client.go | 0 vendor/github.com/xdg/scram/client_conv.go | 0 vendor/github.com/xdg/scram/common.go | 0 vendor/github.com/xdg/scram/doc.go | 0 vendor/github.com/xdg/scram/parse.go | 0 vendor/github.com/xdg/scram/scram.go | 0 vendor/github.com/xdg/scram/server.go | 0 vendor/github.com/xdg/scram/server_conv.go | 0 vendor/github.com/xdg/stringprep/.gitignore | 0 vendor/github.com/xdg/stringprep/.travis.yml | 0 vendor/github.com/xdg/stringprep/LICENSE | 0 vendor/github.com/xdg/stringprep/README.md | 0 vendor/github.com/xdg/stringprep/bidi.go | 0 vendor/github.com/xdg/stringprep/doc.go | 0 vendor/github.com/xdg/stringprep/error.go | 0 vendor/github.com/xdg/stringprep/map.go | 0 vendor/github.com/xdg/stringprep/profile.go | 0 vendor/github.com/xdg/stringprep/saslprep.go | 0 vendor/github.com/xdg/stringprep/set.go | 0 vendor/github.com/xdg/stringprep/tables.go | 0 vendor/github.com/yohcop/openid-go/.travis.yml | 0 vendor/github.com/yohcop/openid-go/LICENSE | 0 vendor/github.com/yohcop/openid-go/README.md | 0 vendor/github.com/yohcop/openid-go/discover.go | 0 .../github.com/yohcop/openid-go/discovery_cache.go | 0 vendor/github.com/yohcop/openid-go/getter.go | 0 vendor/github.com/yohcop/openid-go/go.mod | 0 vendor/github.com/yohcop/openid-go/go.sum | 0 .../github.com/yohcop/openid-go/html_discovery.go | 0 vendor/github.com/yohcop/openid-go/nonce_store.go | 0 vendor/github.com/yohcop/openid-go/normalizer.go | 0 vendor/github.com/yohcop/openid-go/openid.go | 0 vendor/github.com/yohcop/openid-go/redirect.go | 0 vendor/github.com/yohcop/openid-go/verify.go | 0 vendor/github.com/yohcop/openid-go/xrds.go | 0 .../github.com/yohcop/openid-go/yadis_discovery.go | 0 .../yuin/goldmark-highlighting/.gitignore | 0 .../github.com/yuin/goldmark-highlighting/LICENSE | 0 .../yuin/goldmark-highlighting/README.md | 0 .../github.com/yuin/goldmark-highlighting/go.mod | 0 .../github.com/yuin/goldmark-highlighting/go.sum | 0 .../yuin/goldmark-highlighting/highlighting.go | 0 vendor/github.com/yuin/goldmark-meta/.gitignore | 0 vendor/github.com/yuin/goldmark-meta/LICENSE | 0 vendor/github.com/yuin/goldmark-meta/README.md | 0 vendor/github.com/yuin/goldmark-meta/go.mod | 0 vendor/github.com/yuin/goldmark-meta/go.sum | 0 vendor/github.com/yuin/goldmark-meta/meta.go | 0 vendor/github.com/yuin/goldmark/.gitignore | 0 vendor/github.com/yuin/goldmark/LICENSE | 0 vendor/github.com/yuin/goldmark/Makefile | 0 vendor/github.com/yuin/goldmark/README.md | 0 vendor/github.com/yuin/goldmark/ast/ast.go | 0 vendor/github.com/yuin/goldmark/ast/block.go | 0 vendor/github.com/yuin/goldmark/ast/inline.go | 0 .../yuin/goldmark/extension/ast/definition_list.go | 0 .../yuin/goldmark/extension/ast/footnote.go | 0 .../yuin/goldmark/extension/ast/strikethrough.go | 0 .../yuin/goldmark/extension/ast/table.go | 0 .../yuin/goldmark/extension/ast/tasklist.go | 0 .../yuin/goldmark/extension/definition_list.go | 0 .../github.com/yuin/goldmark/extension/footnote.go | 0 vendor/github.com/yuin/goldmark/extension/gfm.go | 0 .../github.com/yuin/goldmark/extension/linkify.go | 0 .../yuin/goldmark/extension/strikethrough.go | 0 vendor/github.com/yuin/goldmark/extension/table.go | 0 .../github.com/yuin/goldmark/extension/tasklist.go | 0 .../yuin/goldmark/extension/typographer.go | 0 vendor/github.com/yuin/goldmark/go.mod | 0 vendor/github.com/yuin/goldmark/go.sum | 0 vendor/github.com/yuin/goldmark/markdown.go | 0 .../github.com/yuin/goldmark/parser/attribute.go | 0 .../github.com/yuin/goldmark/parser/atx_heading.go | 0 .../github.com/yuin/goldmark/parser/auto_link.go | 0 .../github.com/yuin/goldmark/parser/blockquote.go | 0 .../github.com/yuin/goldmark/parser/code_block.go | 0 .../github.com/yuin/goldmark/parser/code_span.go | 0 .../github.com/yuin/goldmark/parser/delimiter.go | 0 vendor/github.com/yuin/goldmark/parser/emphasis.go | 0 .../github.com/yuin/goldmark/parser/fcode_block.go | 0 .../github.com/yuin/goldmark/parser/html_block.go | 0 vendor/github.com/yuin/goldmark/parser/link.go | 0 vendor/github.com/yuin/goldmark/parser/link_ref.go | 0 vendor/github.com/yuin/goldmark/parser/list.go | 0 .../github.com/yuin/goldmark/parser/list_item.go | 0 .../github.com/yuin/goldmark/parser/paragraph.go | 0 vendor/github.com/yuin/goldmark/parser/parser.go | 0 vendor/github.com/yuin/goldmark/parser/raw_html.go | 0 .../yuin/goldmark/parser/setext_headings.go | 0 .../yuin/goldmark/parser/thematic_break.go | 0 .../github.com/yuin/goldmark/renderer/html/html.go | 0 .../github.com/yuin/goldmark/renderer/renderer.go | 0 vendor/github.com/yuin/goldmark/text/reader.go | 0 vendor/github.com/yuin/goldmark/text/segment.go | 0 .../github.com/yuin/goldmark/util/html5entities.go | 0 .../yuin/goldmark/util/unicode_case_folding.go | 0 vendor/github.com/yuin/goldmark/util/util.go | 0 vendor/github.com/yuin/goldmark/util/util_safe.go | 0 .../github.com/yuin/goldmark/util/util_unsafe.go | 0 vendor/go.etcd.io/bbolt/.gitignore | 0 vendor/go.etcd.io/bbolt/.travis.yml | 0 vendor/go.etcd.io/bbolt/LICENSE | 0 vendor/go.etcd.io/bbolt/Makefile | 0 vendor/go.etcd.io/bbolt/README.md | 0 vendor/go.etcd.io/bbolt/bolt_386.go | 0 vendor/go.etcd.io/bbolt/bolt_amd64.go | 0 vendor/go.etcd.io/bbolt/bolt_arm.go | 0 vendor/go.etcd.io/bbolt/bolt_arm64.go | 0 vendor/go.etcd.io/bbolt/bolt_linux.go | 0 vendor/go.etcd.io/bbolt/bolt_mips64x.go | 0 vendor/go.etcd.io/bbolt/bolt_mipsx.go | 0 vendor/go.etcd.io/bbolt/bolt_openbsd.go | 0 vendor/go.etcd.io/bbolt/bolt_ppc.go | 0 vendor/go.etcd.io/bbolt/bolt_ppc64.go | 0 vendor/go.etcd.io/bbolt/bolt_ppc64le.go | 0 vendor/go.etcd.io/bbolt/bolt_riscv64.go | 0 vendor/go.etcd.io/bbolt/bolt_s390x.go | 0 vendor/go.etcd.io/bbolt/bolt_unix.go | 0 vendor/go.etcd.io/bbolt/bolt_unix_aix.go | 0 vendor/go.etcd.io/bbolt/bolt_unix_solaris.go | 0 vendor/go.etcd.io/bbolt/bolt_windows.go | 0 vendor/go.etcd.io/bbolt/boltsync_unix.go | 0 vendor/go.etcd.io/bbolt/bucket.go | 0 vendor/go.etcd.io/bbolt/cursor.go | 0 vendor/go.etcd.io/bbolt/db.go | 0 vendor/go.etcd.io/bbolt/doc.go | 0 vendor/go.etcd.io/bbolt/errors.go | 0 vendor/go.etcd.io/bbolt/freelist.go | 0 vendor/go.etcd.io/bbolt/freelist_hmap.go | 0 vendor/go.etcd.io/bbolt/go.mod | 0 vendor/go.etcd.io/bbolt/go.sum | 0 vendor/go.etcd.io/bbolt/node.go | 0 vendor/go.etcd.io/bbolt/page.go | 0 vendor/go.etcd.io/bbolt/tx.go | 0 vendor/go.mongodb.org/mongo-driver/LICENSE | 0 vendor/go.mongodb.org/mongo-driver/bson/bson.go | 0 .../go.mongodb.org/mongo-driver/bson/bson_1_8.go | 0 .../mongo-driver/bson/bsoncodec/bsoncodec.go | 0 .../bson/bsoncodec/default_value_decoders.go | 0 .../bson/bsoncodec/default_value_encoders.go | 0 .../mongo-driver/bson/bsoncodec/doc.go | 0 .../mongo-driver/bson/bsoncodec/mode.go | 0 .../mongo-driver/bson/bsoncodec/pointer_codec.go | 0 .../mongo-driver/bson/bsoncodec/proxy.go | 0 .../mongo-driver/bson/bsoncodec/registry.go | 0 .../mongo-driver/bson/bsoncodec/struct_codec.go | 0 .../bson/bsoncodec/struct_tag_parser.go | 0 .../mongo-driver/bson/bsoncodec/types.go | 0 .../mongo-driver/bson/bsonrw/copier.go | 0 .../go.mongodb.org/mongo-driver/bson/bsonrw/doc.go | 0 .../mongo-driver/bson/bsonrw/extjson_parser.go | 0 .../mongo-driver/bson/bsonrw/extjson_reader.go | 0 .../mongo-driver/bson/bsonrw/extjson_tables.go | 0 .../mongo-driver/bson/bsonrw/extjson_wrappers.go | 0 .../mongo-driver/bson/bsonrw/extjson_writer.go | 0 .../mongo-driver/bson/bsonrw/json_scanner.go | 0 .../mongo-driver/bson/bsonrw/mode.go | 0 .../mongo-driver/bson/bsonrw/reader.go | 0 .../mongo-driver/bson/bsonrw/value_reader.go | 0 .../mongo-driver/bson/bsonrw/value_writer.go | 0 .../mongo-driver/bson/bsonrw/writer.go | 0 .../mongo-driver/bson/bsontype/bsontype.go | 0 vendor/go.mongodb.org/mongo-driver/bson/decoder.go | 0 vendor/go.mongodb.org/mongo-driver/bson/doc.go | 0 vendor/go.mongodb.org/mongo-driver/bson/encoder.go | 0 vendor/go.mongodb.org/mongo-driver/bson/marshal.go | 0 .../mongo-driver/bson/primitive/decimal.go | 0 .../mongo-driver/bson/primitive/objectid.go | 0 .../mongo-driver/bson/primitive/primitive.go | 0 .../mongo-driver/bson/primitive_codecs.go | 0 vendor/go.mongodb.org/mongo-driver/bson/raw.go | 0 .../mongo-driver/bson/raw_element.go | 0 .../go.mongodb.org/mongo-driver/bson/raw_value.go | 0 .../go.mongodb.org/mongo-driver/bson/registry.go | 0 vendor/go.mongodb.org/mongo-driver/bson/types.go | 0 .../go.mongodb.org/mongo-driver/bson/unmarshal.go | 0 .../mongo-driver/event/monitoring.go | 0 .../go.mongodb.org/mongo-driver/internal/const.go | 0 .../go.mongodb.org/mongo-driver/internal/error.go | 0 .../mongo-driver/internal/semaphore.go | 0 .../mongo-driver/mongo/batch_cursor.go | 0 .../mongo-driver/mongo/bulk_write.go | 0 .../mongo-driver/mongo/bulk_write_models.go | 0 .../mongo-driver/mongo/change_stream.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/client.go | 0 .../mongo-driver/mongo/collection.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/cursor.go | 0 .../go.mongodb.org/mongo-driver/mongo/database.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/doc.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/errors.go | 0 .../mongo-driver/mongo/index_options_builder.go | 0 .../mongo-driver/mongo/index_view.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/mongo.go | 0 .../mongo-driver/mongo/options/aggregateoptions.go | 0 .../mongo-driver/mongo/options/bulkwriteoptions.go | 0 .../mongo/options/changestreamoptions.go | 0 .../mongo-driver/mongo/options/clientoptions.go | 0 .../mongo/options/clientoptions_1_10.go | 0 .../mongo/options/clientoptions_1_9.go | 0 .../mongo/options/collectionoptions.go | 0 .../mongo-driver/mongo/options/countoptions.go | 0 .../mongo-driver/mongo/options/dboptions.go | 0 .../mongo-driver/mongo/options/deleteoptions.go | 0 .../mongo-driver/mongo/options/distinctoptions.go | 0 .../mongo/options/estimatedcountoptions.go | 0 .../mongo-driver/mongo/options/findoptions.go | 0 .../mongo-driver/mongo/options/gridfsoptions.go | 0 .../mongo-driver/mongo/options/indexoptions.go | 0 .../mongo-driver/mongo/options/insertoptions.go | 0 .../mongo/options/listcollectionsoptions.go | 0 .../mongo/options/listdatabasesoptions.go | 0 .../mongo-driver/mongo/options/mongooptions.go | 0 .../mongo-driver/mongo/options/replaceoptions.go | 0 .../mongo-driver/mongo/options/runcmdoptions.go | 0 .../mongo-driver/mongo/options/sessionoptions.go | 0 .../mongo/options/transactionoptions.go | 0 .../mongo-driver/mongo/options/updateoptions.go | 0 .../mongo-driver/mongo/readconcern/readconcern.go | 0 .../mongo-driver/mongo/readpref/mode.go | 0 .../mongo-driver/mongo/readpref/options.go | 0 .../mongo-driver/mongo/readpref/readpref.go | 0 .../go.mongodb.org/mongo-driver/mongo/results.go | 0 .../go.mongodb.org/mongo-driver/mongo/session.go | 0 .../mongo-driver/mongo/single_result.go | 0 vendor/go.mongodb.org/mongo-driver/mongo/util.go | 0 .../mongo/writeconcern/writeconcern.go | 0 vendor/go.mongodb.org/mongo-driver/tag/tag.go | 0 .../go.mongodb.org/mongo-driver/version/version.go | 0 .../go.mongodb.org/mongo-driver/x/bsonx/array.go | 0 .../mongo-driver/x/bsonx/bsoncore/bsoncore.go | 0 .../mongo-driver/x/bsonx/bsoncore/document.go | 0 .../x/bsonx/bsoncore/document_sequence.go | 0 .../mongo-driver/x/bsonx/bsoncore/element.go | 0 .../mongo-driver/x/bsonx/bsoncore/tables.go | 0 .../mongo-driver/x/bsonx/bsoncore/value.go | 0 .../mongo-driver/x/bsonx/constructor.go | 0 .../mongo-driver/x/bsonx/document.go | 0 .../go.mongodb.org/mongo-driver/x/bsonx/element.go | 0 .../mongo-driver/x/bsonx/mdocument.go | 0 .../mongo-driver/x/bsonx/primitive_codecs.go | 0 .../mongo-driver/x/bsonx/registry.go | 0 .../go.mongodb.org/mongo-driver/x/bsonx/value.go | 0 .../mongo-driver/x/mongo/driver/DESIGN.md | 0 .../mongo-driver/x/mongo/driver/address/addr.go | 0 .../mongo-driver/x/mongo/driver/auth/auth.go | 0 .../mongo-driver/x/mongo/driver/auth/cred.go | 0 .../mongo-driver/x/mongo/driver/auth/default.go | 0 .../mongo-driver/x/mongo/driver/auth/doc.go | 0 .../mongo-driver/x/mongo/driver/auth/gssapi.go | 0 .../x/mongo/driver/auth/gssapi_not_enabled.go | 0 .../x/mongo/driver/auth/gssapi_not_supported.go | 0 .../x/mongo/driver/auth/internal/gssapi/gss.go | 0 .../driver/auth/internal/gssapi/gss_wrapper.c | 0 .../driver/auth/internal/gssapi/gss_wrapper.h | 0 .../x/mongo/driver/auth/internal/gssapi/sspi.go | 0 .../driver/auth/internal/gssapi/sspi_wrapper.c | 0 .../driver/auth/internal/gssapi/sspi_wrapper.h | 0 .../mongo-driver/x/mongo/driver/auth/mongodbcr.go | 0 .../mongo-driver/x/mongo/driver/auth/plain.go | 0 .../mongo-driver/x/mongo/driver/auth/sasl.go | 0 .../mongo-driver/x/mongo/driver/auth/scram.go | 0 .../mongo-driver/x/mongo/driver/auth/util.go | 0 .../mongo-driver/x/mongo/driver/auth/x509.go | 0 .../mongo-driver/x/mongo/driver/batch_cursor.go | 0 .../mongo-driver/x/mongo/driver/batches.go | 0 .../x/mongo/driver/connstring/connstring.go | 0 .../x/mongo/driver/description/description.go | 0 .../x/mongo/driver/description/feature.go | 0 .../x/mongo/driver/description/server.go | 0 .../x/mongo/driver/description/server_kind.go | 0 .../x/mongo/driver/description/server_selector.go | 0 .../x/mongo/driver/description/topology.go | 0 .../x/mongo/driver/description/topology_kind.go | 0 .../x/mongo/driver/description/version.go | 0 .../x/mongo/driver/description/version_range.go | 0 .../mongo-driver/x/mongo/driver/dns/dns.go | 0 .../mongo-driver/x/mongo/driver/driver.go | 0 .../mongo-driver/x/mongo/driver/errors.go | 0 .../mongo-driver/x/mongo/driver/legacy.go | 0 .../mongo/driver/list_collections_batch_cursor.go | 0 .../mongo-driver/x/mongo/driver/operation.go | 0 .../x/mongo/driver/operation/abort_transaction.go | 0 .../mongo/driver/operation/abort_transaction.toml | 0 .../x/mongo/driver/operation/aggregate.go | 0 .../x/mongo/driver/operation/aggregate.toml | 0 .../x/mongo/driver/operation/command.go | 0 .../x/mongo/driver/operation/commit_transaction.go | 0 .../mongo/driver/operation/commit_transaction.toml | 0 .../mongo-driver/x/mongo/driver/operation/count.go | 0 .../x/mongo/driver/operation/count.toml | 0 .../x/mongo/driver/operation/createIndexes.go | 0 .../x/mongo/driver/operation/createIndexes.toml | 0 .../x/mongo/driver/operation/delete.go | 0 .../x/mongo/driver/operation/delete.toml | 0 .../x/mongo/driver/operation/distinct.go | 0 .../x/mongo/driver/operation/distinct.toml | 0 .../x/mongo/driver/operation/drop_collection.go | 0 .../x/mongo/driver/operation/drop_collection.toml | 0 .../x/mongo/driver/operation/drop_database.go | 0 .../x/mongo/driver/operation/drop_database.toml | 0 .../x/mongo/driver/operation/drop_indexes.go | 0 .../x/mongo/driver/operation/drop_indexes.toml | 0 .../x/mongo/driver/operation/end_sessions.go | 0 .../x/mongo/driver/operation/end_sessions.toml | 0 .../mongo-driver/x/mongo/driver/operation/find.go | 0 .../x/mongo/driver/operation/find.toml | 0 .../x/mongo/driver/operation/find_and_modify.go | 0 .../x/mongo/driver/operation/find_and_modify.toml | 0 .../x/mongo/driver/operation/insert.go | 0 .../x/mongo/driver/operation/insert.toml | 0 .../x/mongo/driver/operation/ismaster.go | 0 .../x/mongo/driver/operation/listDatabases.go | 0 .../x/mongo/driver/operation/listDatabases.toml | 0 .../x/mongo/driver/operation/list_collections.go | 0 .../x/mongo/driver/operation/list_collections.toml | 0 .../x/mongo/driver/operation/list_indexes.go | 0 .../x/mongo/driver/operation/list_indexes.toml | 0 .../x/mongo/driver/operation/operation.go | 0 .../x/mongo/driver/operation/update.go | 0 .../x/mongo/driver/operation/update.toml | 0 .../x/mongo/driver/operation_legacy.go | 0 .../x/mongo/driver/session/client_session.go | 0 .../x/mongo/driver/session/cluster_clock.go | 0 .../mongo-driver/x/mongo/driver/session/options.go | 0 .../x/mongo/driver/session/server_session.go | 0 .../x/mongo/driver/session/session_pool.go | 0 .../mongo-driver/x/mongo/driver/topology/DESIGN.md | 0 .../x/mongo/driver/topology/connection.go | 0 .../x/mongo/driver/topology/connection_legacy.go | 0 .../topology/connection_legacy_command_metadata.go | 0 .../x/mongo/driver/topology/connection_options.go | 0 .../mongo-driver/x/mongo/driver/topology/errors.go | 0 .../mongo-driver/x/mongo/driver/topology/fsm.go | 0 .../mongo-driver/x/mongo/driver/topology/pool.go | 0 .../x/mongo/driver/topology/resource_pool.go | 0 .../mongo-driver/x/mongo/driver/topology/server.go | 0 .../x/mongo/driver/topology/server_options.go | 0 .../x/mongo/driver/topology/topology.go | 0 .../x/mongo/driver/topology/topology_options.go | 0 .../mongo/driver/topology/topology_options_1_10.go | 0 .../mongo/driver/topology/topology_options_1_9.go | 0 .../mongo-driver/x/mongo/driver/uuid/uuid.go | 0 .../x/mongo/driver/wiremessage/wiremessage.go | 0 vendor/go.opencensus.io/.gitignore | 0 vendor/go.opencensus.io/.travis.yml | 0 vendor/go.opencensus.io/AUTHORS | 0 vendor/go.opencensus.io/CONTRIBUTING.md | 0 vendor/go.opencensus.io/Gopkg.lock | 0 vendor/go.opencensus.io/Gopkg.toml | 0 vendor/go.opencensus.io/LICENSE | 0 vendor/go.opencensus.io/Makefile | 0 vendor/go.opencensus.io/README.md | 0 vendor/go.opencensus.io/appveyor.yml | 0 vendor/go.opencensus.io/go.mod | 0 vendor/go.opencensus.io/go.sum | 0 vendor/go.opencensus.io/internal/internal.go | 0 vendor/go.opencensus.io/internal/sanitize.go | 0 .../internal/tagencoding/tagencoding.go | 0 vendor/go.opencensus.io/internal/traceinternals.go | 0 vendor/go.opencensus.io/metric/metricdata/doc.go | 0 .../go.opencensus.io/metric/metricdata/exemplar.go | 0 vendor/go.opencensus.io/metric/metricdata/label.go | 0 .../go.opencensus.io/metric/metricdata/metric.go | 0 vendor/go.opencensus.io/metric/metricdata/point.go | 0 .../metric/metricdata/type_string.go | 0 vendor/go.opencensus.io/metric/metricdata/unit.go | 0 .../metric/metricproducer/manager.go | 0 .../metric/metricproducer/producer.go | 0 vendor/go.opencensus.io/opencensus.go | 0 vendor/go.opencensus.io/plugin/ocgrpc/client.go | 0 .../plugin/ocgrpc/client_metrics.go | 0 .../plugin/ocgrpc/client_stats_handler.go | 0 vendor/go.opencensus.io/plugin/ocgrpc/doc.go | 0 vendor/go.opencensus.io/plugin/ocgrpc/server.go | 0 .../plugin/ocgrpc/server_metrics.go | 0 .../plugin/ocgrpc/server_stats_handler.go | 0 .../go.opencensus.io/plugin/ocgrpc/stats_common.go | 0 .../go.opencensus.io/plugin/ocgrpc/trace_common.go | 0 vendor/go.opencensus.io/plugin/ochttp/client.go | 0 .../go.opencensus.io/plugin/ochttp/client_stats.go | 0 vendor/go.opencensus.io/plugin/ochttp/doc.go | 0 .../plugin/ochttp/propagation/b3/b3.go | 0 vendor/go.opencensus.io/plugin/ochttp/route.go | 0 vendor/go.opencensus.io/plugin/ochttp/server.go | 0 .../plugin/ochttp/span_annotating_client_trace.go | 0 vendor/go.opencensus.io/plugin/ochttp/stats.go | 0 vendor/go.opencensus.io/plugin/ochttp/trace.go | 0 .../go.opencensus.io/plugin/ochttp/wrapped_body.go | 0 vendor/go.opencensus.io/resource/resource.go | 0 vendor/go.opencensus.io/stats/doc.go | 0 vendor/go.opencensus.io/stats/internal/record.go | 0 vendor/go.opencensus.io/stats/measure.go | 0 vendor/go.opencensus.io/stats/measure_float64.go | 0 vendor/go.opencensus.io/stats/measure_int64.go | 0 vendor/go.opencensus.io/stats/record.go | 0 vendor/go.opencensus.io/stats/units.go | 0 vendor/go.opencensus.io/stats/view/aggregation.go | 0 .../stats/view/aggregation_data.go | 0 vendor/go.opencensus.io/stats/view/collector.go | 0 vendor/go.opencensus.io/stats/view/doc.go | 0 vendor/go.opencensus.io/stats/view/export.go | 0 vendor/go.opencensus.io/stats/view/view.go | 0 .../go.opencensus.io/stats/view/view_to_metric.go | 0 vendor/go.opencensus.io/stats/view/worker.go | 0 .../go.opencensus.io/stats/view/worker_commands.go | 0 vendor/go.opencensus.io/tag/context.go | 0 vendor/go.opencensus.io/tag/doc.go | 0 vendor/go.opencensus.io/tag/key.go | 0 vendor/go.opencensus.io/tag/map.go | 0 vendor/go.opencensus.io/tag/map_codec.go | 0 vendor/go.opencensus.io/tag/metadata.go | 0 vendor/go.opencensus.io/tag/profile_19.go | 0 vendor/go.opencensus.io/tag/profile_not19.go | 0 vendor/go.opencensus.io/tag/validate.go | 0 vendor/go.opencensus.io/trace/basetypes.go | 0 vendor/go.opencensus.io/trace/config.go | 0 vendor/go.opencensus.io/trace/doc.go | 0 vendor/go.opencensus.io/trace/evictedqueue.go | 0 vendor/go.opencensus.io/trace/export.go | 0 vendor/go.opencensus.io/trace/internal/internal.go | 0 vendor/go.opencensus.io/trace/lrumap.go | 0 .../trace/propagation/propagation.go | 0 vendor/go.opencensus.io/trace/sampling.go | 0 vendor/go.opencensus.io/trace/spanbucket.go | 0 vendor/go.opencensus.io/trace/spanstore.go | 0 vendor/go.opencensus.io/trace/status_codes.go | 0 vendor/go.opencensus.io/trace/trace.go | 0 vendor/go.opencensus.io/trace/trace_go11.go | 0 vendor/go.opencensus.io/trace/trace_nongo11.go | 0 .../trace/tracestate/tracestate.go | 0 vendor/golang.org/x/crypto/AUTHORS | 0 vendor/golang.org/x/crypto/CONTRIBUTORS | 0 vendor/golang.org/x/crypto/LICENSE | 0 vendor/golang.org/x/crypto/PATENTS | 0 vendor/golang.org/x/crypto/acme/acme.go | 0 .../golang.org/x/crypto/acme/autocert/autocert.go | 0 vendor/golang.org/x/crypto/acme/autocert/cache.go | 0 .../golang.org/x/crypto/acme/autocert/listener.go | 0 .../golang.org/x/crypto/acme/autocert/renewal.go | 0 vendor/golang.org/x/crypto/acme/http.go | 0 vendor/golang.org/x/crypto/acme/jws.go | 0 vendor/golang.org/x/crypto/acme/rfc8555.go | 0 vendor/golang.org/x/crypto/acme/types.go | 0 vendor/golang.org/x/crypto/acme/version_go112.go | 0 vendor/golang.org/x/crypto/argon2/argon2.go | 0 vendor/golang.org/x/crypto/argon2/blake2b.go | 0 vendor/golang.org/x/crypto/argon2/blamka_amd64.go | 0 vendor/golang.org/x/crypto/argon2/blamka_amd64.s | 0 .../golang.org/x/crypto/argon2/blamka_generic.go | 0 vendor/golang.org/x/crypto/argon2/blamka_ref.go | 0 vendor/golang.org/x/crypto/bcrypt/base64.go | 0 vendor/golang.org/x/crypto/bcrypt/bcrypt.go | 0 vendor/golang.org/x/crypto/blake2b/blake2b.go | 0 .../x/crypto/blake2b/blake2bAVX2_amd64.go | 0 .../x/crypto/blake2b/blake2bAVX2_amd64.s | 0 .../golang.org/x/crypto/blake2b/blake2b_amd64.go | 0 vendor/golang.org/x/crypto/blake2b/blake2b_amd64.s | 0 .../golang.org/x/crypto/blake2b/blake2b_generic.go | 0 vendor/golang.org/x/crypto/blake2b/blake2b_ref.go | 0 vendor/golang.org/x/crypto/blake2b/blake2x.go | 0 vendor/golang.org/x/crypto/blake2b/register.go | 0 vendor/golang.org/x/crypto/blowfish/block.go | 0 vendor/golang.org/x/crypto/blowfish/cipher.go | 0 vendor/golang.org/x/crypto/blowfish/const.go | 0 vendor/golang.org/x/crypto/cast5/cast5.go | 0 .../golang.org/x/crypto/chacha20/chacha_arm64.go | 0 vendor/golang.org/x/crypto/chacha20/chacha_arm64.s | 0 .../golang.org/x/crypto/chacha20/chacha_generic.go | 0 .../golang.org/x/crypto/chacha20/chacha_noasm.go | 0 .../golang.org/x/crypto/chacha20/chacha_ppc64le.go | 0 .../golang.org/x/crypto/chacha20/chacha_ppc64le.s | 0 .../golang.org/x/crypto/chacha20/chacha_s390x.go | 0 vendor/golang.org/x/crypto/chacha20/chacha_s390x.s | 0 vendor/golang.org/x/crypto/chacha20/xor.go | 0 .../golang.org/x/crypto/curve25519/curve25519.go | 0 .../x/crypto/curve25519/curve25519_amd64.go | 0 .../x/crypto/curve25519/curve25519_amd64.s | 0 .../x/crypto/curve25519/curve25519_generic.go | 0 .../x/crypto/curve25519/curve25519_noasm.go | 0 vendor/golang.org/x/crypto/ed25519/ed25519.go | 0 .../golang.org/x/crypto/ed25519/ed25519_go113.go | 0 .../crypto/ed25519/internal/edwards25519/const.go | 0 .../ed25519/internal/edwards25519/edwards25519.go | 0 .../x/crypto/internal/subtle/aliasing.go | 0 .../x/crypto/internal/subtle/aliasing_appengine.go | 0 vendor/golang.org/x/crypto/md4/md4.go | 0 vendor/golang.org/x/crypto/md4/md4block.go | 0 vendor/golang.org/x/crypto/openpgp/armor/armor.go | 0 vendor/golang.org/x/crypto/openpgp/armor/encode.go | 0 .../golang.org/x/crypto/openpgp/canonical_text.go | 0 .../golang.org/x/crypto/openpgp/elgamal/elgamal.go | 0 .../golang.org/x/crypto/openpgp/errors/errors.go | 0 vendor/golang.org/x/crypto/openpgp/keys.go | 0 .../x/crypto/openpgp/packet/compressed.go | 0 .../golang.org/x/crypto/openpgp/packet/config.go | 0 .../x/crypto/openpgp/packet/encrypted_key.go | 0 .../golang.org/x/crypto/openpgp/packet/literal.go | 0 vendor/golang.org/x/crypto/openpgp/packet/ocfb.go | 0 .../x/crypto/openpgp/packet/one_pass_signature.go | 0 .../golang.org/x/crypto/openpgp/packet/opaque.go | 0 .../golang.org/x/crypto/openpgp/packet/packet.go | 0 .../x/crypto/openpgp/packet/private_key.go | 0 .../x/crypto/openpgp/packet/public_key.go | 0 .../x/crypto/openpgp/packet/public_key_v3.go | 0 .../golang.org/x/crypto/openpgp/packet/reader.go | 0 .../x/crypto/openpgp/packet/signature.go | 0 .../x/crypto/openpgp/packet/signature_v3.go | 0 .../openpgp/packet/symmetric_key_encrypted.go | 0 .../openpgp/packet/symmetrically_encrypted.go | 0 .../x/crypto/openpgp/packet/userattribute.go | 0 .../golang.org/x/crypto/openpgp/packet/userid.go | 0 vendor/golang.org/x/crypto/openpgp/read.go | 0 vendor/golang.org/x/crypto/openpgp/s2k/s2k.go | 0 vendor/golang.org/x/crypto/openpgp/write.go | 0 vendor/golang.org/x/crypto/pbkdf2/pbkdf2.go | 0 vendor/golang.org/x/crypto/poly1305/bits_compat.go | 0 vendor/golang.org/x/crypto/poly1305/bits_go1.13.go | 0 vendor/golang.org/x/crypto/poly1305/mac_noasm.go | 0 vendor/golang.org/x/crypto/poly1305/poly1305.go | 0 vendor/golang.org/x/crypto/poly1305/sum_amd64.go | 0 vendor/golang.org/x/crypto/poly1305/sum_amd64.s | 0 vendor/golang.org/x/crypto/poly1305/sum_generic.go | 0 vendor/golang.org/x/crypto/poly1305/sum_ppc64le.go | 0 vendor/golang.org/x/crypto/poly1305/sum_ppc64le.s | 0 vendor/golang.org/x/crypto/poly1305/sum_s390x.go | 0 vendor/golang.org/x/crypto/poly1305/sum_s390x.s | 0 vendor/golang.org/x/crypto/scrypt/scrypt.go | 0 vendor/golang.org/x/crypto/ssh/agent/client.go | 0 vendor/golang.org/x/crypto/ssh/agent/forward.go | 0 vendor/golang.org/x/crypto/ssh/agent/keyring.go | 0 vendor/golang.org/x/crypto/ssh/agent/server.go | 0 vendor/golang.org/x/crypto/ssh/buffer.go | 0 vendor/golang.org/x/crypto/ssh/certs.go | 0 vendor/golang.org/x/crypto/ssh/channel.go | 0 vendor/golang.org/x/crypto/ssh/cipher.go | 0 vendor/golang.org/x/crypto/ssh/client.go | 0 vendor/golang.org/x/crypto/ssh/client_auth.go | 0 vendor/golang.org/x/crypto/ssh/common.go | 0 vendor/golang.org/x/crypto/ssh/connection.go | 0 vendor/golang.org/x/crypto/ssh/doc.go | 0 vendor/golang.org/x/crypto/ssh/handshake.go | 0 .../ssh/internal/bcrypt_pbkdf/bcrypt_pbkdf.go | 0 vendor/golang.org/x/crypto/ssh/kex.go | 0 vendor/golang.org/x/crypto/ssh/keys.go | 0 .../x/crypto/ssh/knownhosts/knownhosts.go | 0 vendor/golang.org/x/crypto/ssh/mac.go | 0 vendor/golang.org/x/crypto/ssh/messages.go | 0 vendor/golang.org/x/crypto/ssh/mux.go | 0 vendor/golang.org/x/crypto/ssh/server.go | 0 vendor/golang.org/x/crypto/ssh/session.go | 0 vendor/golang.org/x/crypto/ssh/ssh_gss.go | 0 vendor/golang.org/x/crypto/ssh/streamlocal.go | 0 vendor/golang.org/x/crypto/ssh/tcpip.go | 0 vendor/golang.org/x/crypto/ssh/transport.go | 0 vendor/golang.org/x/image/AUTHORS | 0 vendor/golang.org/x/image/CONTRIBUTORS | 0 vendor/golang.org/x/image/LICENSE | 0 vendor/golang.org/x/image/PATENTS | 0 vendor/golang.org/x/image/bmp/reader.go | 0 vendor/golang.org/x/image/bmp/writer.go | 0 vendor/golang.org/x/image/ccitt/reader.go | 0 vendor/golang.org/x/image/ccitt/table.go | 0 vendor/golang.org/x/image/ccitt/writer.go | 0 vendor/golang.org/x/image/tiff/buffer.go | 0 vendor/golang.org/x/image/tiff/compress.go | 0 vendor/golang.org/x/image/tiff/consts.go | 0 vendor/golang.org/x/image/tiff/fuzz.go | 0 vendor/golang.org/x/image/tiff/lzw/reader.go | 0 vendor/golang.org/x/image/tiff/reader.go | 0 vendor/golang.org/x/image/tiff/writer.go | 0 vendor/golang.org/x/mod/LICENSE | 0 vendor/golang.org/x/mod/PATENTS | 0 vendor/golang.org/x/mod/module/module.go | 0 vendor/golang.org/x/mod/semver/semver.go | 0 vendor/golang.org/x/net/AUTHORS | 0 vendor/golang.org/x/net/CONTRIBUTORS | 0 vendor/golang.org/x/net/LICENSE | 0 vendor/golang.org/x/net/PATENTS | 0 vendor/golang.org/x/net/context/context.go | 0 vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go | 0 vendor/golang.org/x/net/context/go17.go | 0 vendor/golang.org/x/net/context/go19.go | 0 vendor/golang.org/x/net/context/pre_go17.go | 0 vendor/golang.org/x/net/context/pre_go19.go | 0 vendor/golang.org/x/net/html/atom/atom.go | 0 vendor/golang.org/x/net/html/atom/table.go | 0 vendor/golang.org/x/net/html/charset/charset.go | 0 vendor/golang.org/x/net/html/const.go | 0 vendor/golang.org/x/net/html/doc.go | 0 vendor/golang.org/x/net/html/doctype.go | 0 vendor/golang.org/x/net/html/entity.go | 0 vendor/golang.org/x/net/html/escape.go | 0 vendor/golang.org/x/net/html/foreign.go | 0 vendor/golang.org/x/net/html/node.go | 0 vendor/golang.org/x/net/html/parse.go | 0 vendor/golang.org/x/net/html/render.go | 0 vendor/golang.org/x/net/html/token.go | 0 vendor/golang.org/x/net/http/httpguts/guts.go | 0 vendor/golang.org/x/net/http/httpguts/httplex.go | 0 vendor/golang.org/x/net/http2/.gitignore | 0 vendor/golang.org/x/net/http2/Dockerfile | 0 vendor/golang.org/x/net/http2/Makefile | 0 vendor/golang.org/x/net/http2/README | 0 vendor/golang.org/x/net/http2/ciphers.go | 0 vendor/golang.org/x/net/http2/client_conn_pool.go | 0 vendor/golang.org/x/net/http2/databuffer.go | 0 vendor/golang.org/x/net/http2/errors.go | 0 vendor/golang.org/x/net/http2/flow.go | 0 vendor/golang.org/x/net/http2/frame.go | 0 vendor/golang.org/x/net/http2/go111.go | 0 vendor/golang.org/x/net/http2/gotrack.go | 0 vendor/golang.org/x/net/http2/headermap.go | 0 vendor/golang.org/x/net/http2/hpack/encode.go | 0 vendor/golang.org/x/net/http2/hpack/hpack.go | 0 vendor/golang.org/x/net/http2/hpack/huffman.go | 0 vendor/golang.org/x/net/http2/hpack/tables.go | 0 vendor/golang.org/x/net/http2/http2.go | 0 vendor/golang.org/x/net/http2/not_go111.go | 0 vendor/golang.org/x/net/http2/pipe.go | 0 vendor/golang.org/x/net/http2/server.go | 0 vendor/golang.org/x/net/http2/transport.go | 0 vendor/golang.org/x/net/http2/write.go | 0 vendor/golang.org/x/net/http2/writesched.go | 0 .../golang.org/x/net/http2/writesched_priority.go | 0 vendor/golang.org/x/net/http2/writesched_random.go | 0 vendor/golang.org/x/net/idna/idna10.0.0.go | 0 vendor/golang.org/x/net/idna/idna9.0.0.go | 0 vendor/golang.org/x/net/idna/punycode.go | 0 vendor/golang.org/x/net/idna/tables10.0.0.go | 0 vendor/golang.org/x/net/idna/tables11.0.0.go | 0 vendor/golang.org/x/net/idna/tables12.00.go | 0 vendor/golang.org/x/net/idna/tables9.0.0.go | 0 vendor/golang.org/x/net/idna/trie.go | 0 vendor/golang.org/x/net/idna/trieval.go | 0 vendor/golang.org/x/net/internal/socks/client.go | 0 vendor/golang.org/x/net/internal/socks/socks.go | 0 .../x/net/internal/timeseries/timeseries.go | 0 vendor/golang.org/x/net/proxy/dial.go | 0 vendor/golang.org/x/net/proxy/direct.go | 0 vendor/golang.org/x/net/proxy/per_host.go | 0 vendor/golang.org/x/net/proxy/proxy.go | 0 vendor/golang.org/x/net/proxy/socks5.go | 0 vendor/golang.org/x/net/publicsuffix/list.go | 0 vendor/golang.org/x/net/publicsuffix/table.go | 0 vendor/golang.org/x/net/trace/events.go | 0 vendor/golang.org/x/net/trace/histogram.go | 0 vendor/golang.org/x/net/trace/trace.go | 0 vendor/golang.org/x/oauth2/.travis.yml | 0 vendor/golang.org/x/oauth2/AUTHORS | 0 vendor/golang.org/x/oauth2/CONTRIBUTING.md | 0 vendor/golang.org/x/oauth2/CONTRIBUTORS | 0 vendor/golang.org/x/oauth2/LICENSE | 0 vendor/golang.org/x/oauth2/README.md | 0 vendor/golang.org/x/oauth2/go.mod | 0 vendor/golang.org/x/oauth2/go.sum | 0 vendor/golang.org/x/oauth2/google/appengine.go | 0 .../golang.org/x/oauth2/google/appengine_gen1.go | 0 .../x/oauth2/google/appengine_gen2_flex.go | 0 vendor/golang.org/x/oauth2/google/default.go | 0 vendor/golang.org/x/oauth2/google/doc.go | 0 vendor/golang.org/x/oauth2/google/google.go | 0 vendor/golang.org/x/oauth2/google/jwt.go | 0 vendor/golang.org/x/oauth2/google/sdk.go | 0 .../x/oauth2/internal/client_appengine.go | 0 vendor/golang.org/x/oauth2/internal/doc.go | 0 vendor/golang.org/x/oauth2/internal/oauth2.go | 0 vendor/golang.org/x/oauth2/internal/token.go | 0 vendor/golang.org/x/oauth2/internal/transport.go | 0 vendor/golang.org/x/oauth2/jws/jws.go | 0 vendor/golang.org/x/oauth2/jwt/jwt.go | 0 vendor/golang.org/x/oauth2/oauth2.go | 0 vendor/golang.org/x/oauth2/token.go | 0 vendor/golang.org/x/oauth2/transport.go | 0 vendor/golang.org/x/sync/AUTHORS | 0 vendor/golang.org/x/sync/CONTRIBUTORS | 0 vendor/golang.org/x/sync/LICENSE | 0 vendor/golang.org/x/sync/PATENTS | 0 vendor/golang.org/x/sync/errgroup/errgroup.go | 0 vendor/golang.org/x/sync/semaphore/semaphore.go | 0 vendor/golang.org/x/sys/AUTHORS | 0 vendor/golang.org/x/sys/CONTRIBUTORS | 0 vendor/golang.org/x/sys/LICENSE | 0 vendor/golang.org/x/sys/PATENTS | 0 vendor/golang.org/x/sys/cpu/asm_aix_ppc64.s | 0 vendor/golang.org/x/sys/cpu/byteorder.go | 0 vendor/golang.org/x/sys/cpu/cpu.go | 0 vendor/golang.org/x/sys/cpu/cpu_aix_ppc64.go | 0 vendor/golang.org/x/sys/cpu/cpu_arm.go | 0 vendor/golang.org/x/sys/cpu/cpu_arm64.go | 0 vendor/golang.org/x/sys/cpu/cpu_arm64.s | 0 vendor/golang.org/x/sys/cpu/cpu_gc_arm64.go | 0 vendor/golang.org/x/sys/cpu/cpu_gc_s390x.go | 0 vendor/golang.org/x/sys/cpu/cpu_gc_x86.go | 0 vendor/golang.org/x/sys/cpu/cpu_gccgo_arm64.go | 0 vendor/golang.org/x/sys/cpu/cpu_gccgo_s390x.go | 0 vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.c | 0 vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_arm.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_arm64.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_mips64x.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_noinit.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_ppc64x.go | 0 vendor/golang.org/x/sys/cpu/cpu_linux_s390x.go | 0 vendor/golang.org/x/sys/cpu/cpu_mips64x.go | 0 vendor/golang.org/x/sys/cpu/cpu_mipsx.go | 0 vendor/golang.org/x/sys/cpu/cpu_other_arm64.go | 0 vendor/golang.org/x/sys/cpu/cpu_riscv64.go | 0 vendor/golang.org/x/sys/cpu/cpu_s390x.s | 0 vendor/golang.org/x/sys/cpu/cpu_wasm.go | 0 vendor/golang.org/x/sys/cpu/cpu_x86.go | 0 vendor/golang.org/x/sys/cpu/cpu_x86.s | 0 vendor/golang.org/x/sys/cpu/hwcap_linux.go | 0 .../golang.org/x/sys/cpu/syscall_aix_ppc64_gc.go | 0 .../x/sys/internal/unsafeheader/unsafeheader.go | 0 vendor/golang.org/x/sys/unix/.gitignore | 0 vendor/golang.org/x/sys/unix/README.md | 0 vendor/golang.org/x/sys/unix/affinity_linux.go | 0 vendor/golang.org/x/sys/unix/aliases.go | 0 vendor/golang.org/x/sys/unix/asm_aix_ppc64.s | 0 vendor/golang.org/x/sys/unix/asm_darwin_386.s | 0 vendor/golang.org/x/sys/unix/asm_darwin_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_darwin_arm.s | 0 vendor/golang.org/x/sys/unix/asm_darwin_arm64.s | 0 vendor/golang.org/x/sys/unix/asm_dragonfly_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_freebsd_386.s | 0 vendor/golang.org/x/sys/unix/asm_freebsd_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_freebsd_arm.s | 0 vendor/golang.org/x/sys/unix/asm_freebsd_arm64.s | 0 vendor/golang.org/x/sys/unix/asm_linux_386.s | 0 vendor/golang.org/x/sys/unix/asm_linux_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_linux_arm.s | 0 vendor/golang.org/x/sys/unix/asm_linux_arm64.s | 0 vendor/golang.org/x/sys/unix/asm_linux_mips64x.s | 0 vendor/golang.org/x/sys/unix/asm_linux_mipsx.s | 0 vendor/golang.org/x/sys/unix/asm_linux_ppc64x.s | 0 vendor/golang.org/x/sys/unix/asm_linux_riscv64.s | 0 vendor/golang.org/x/sys/unix/asm_linux_s390x.s | 0 vendor/golang.org/x/sys/unix/asm_netbsd_386.s | 0 vendor/golang.org/x/sys/unix/asm_netbsd_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_netbsd_arm.s | 0 vendor/golang.org/x/sys/unix/asm_netbsd_arm64.s | 0 vendor/golang.org/x/sys/unix/asm_openbsd_386.s | 0 vendor/golang.org/x/sys/unix/asm_openbsd_amd64.s | 0 vendor/golang.org/x/sys/unix/asm_openbsd_arm.s | 0 vendor/golang.org/x/sys/unix/asm_openbsd_arm64.s | 0 vendor/golang.org/x/sys/unix/asm_solaris_amd64.s | 0 vendor/golang.org/x/sys/unix/bluetooth_linux.go | 0 vendor/golang.org/x/sys/unix/cap_freebsd.go | 0 vendor/golang.org/x/sys/unix/constants.go | 0 vendor/golang.org/x/sys/unix/dev_aix_ppc.go | 0 vendor/golang.org/x/sys/unix/dev_aix_ppc64.go | 0 vendor/golang.org/x/sys/unix/dev_darwin.go | 0 vendor/golang.org/x/sys/unix/dev_dragonfly.go | 0 vendor/golang.org/x/sys/unix/dev_freebsd.go | 0 vendor/golang.org/x/sys/unix/dev_linux.go | 0 vendor/golang.org/x/sys/unix/dev_netbsd.go | 0 vendor/golang.org/x/sys/unix/dev_openbsd.go | 0 vendor/golang.org/x/sys/unix/dirent.go | 0 vendor/golang.org/x/sys/unix/endian_big.go | 0 vendor/golang.org/x/sys/unix/endian_little.go | 0 vendor/golang.org/x/sys/unix/env_unix.go | 0 vendor/golang.org/x/sys/unix/errors_freebsd_386.go | 0 .../golang.org/x/sys/unix/errors_freebsd_amd64.go | 0 vendor/golang.org/x/sys/unix/errors_freebsd_arm.go | 0 .../golang.org/x/sys/unix/errors_freebsd_arm64.go | 0 vendor/golang.org/x/sys/unix/fcntl.go | 0 vendor/golang.org/x/sys/unix/fcntl_darwin.go | 0 vendor/golang.org/x/sys/unix/fcntl_linux_32bit.go | 0 vendor/golang.org/x/sys/unix/fdset.go | 0 vendor/golang.org/x/sys/unix/gccgo.go | 0 vendor/golang.org/x/sys/unix/gccgo_c.c | 0 vendor/golang.org/x/sys/unix/gccgo_linux_amd64.go | 0 vendor/golang.org/x/sys/unix/ioctl.go | 0 vendor/golang.org/x/sys/unix/mkall.sh | 0 vendor/golang.org/x/sys/unix/mkerrors.sh | 0 vendor/golang.org/x/sys/unix/pagesize_unix.go | 0 vendor/golang.org/x/sys/unix/pledge_openbsd.go | 0 vendor/golang.org/x/sys/unix/race.go | 0 vendor/golang.org/x/sys/unix/race0.go | 0 .../golang.org/x/sys/unix/readdirent_getdents.go | 0 .../x/sys/unix/readdirent_getdirentries.go | 0 vendor/golang.org/x/sys/unix/sockcmsg_dragonfly.go | 0 vendor/golang.org/x/sys/unix/sockcmsg_linux.go | 0 vendor/golang.org/x/sys/unix/sockcmsg_unix.go | 0 .../golang.org/x/sys/unix/sockcmsg_unix_other.go | 0 vendor/golang.org/x/sys/unix/str.go | 0 vendor/golang.org/x/sys/unix/syscall.go | 0 vendor/golang.org/x/sys/unix/syscall_aix.go | 0 vendor/golang.org/x/sys/unix/syscall_aix_ppc.go | 0 vendor/golang.org/x/sys/unix/syscall_aix_ppc64.go | 0 vendor/golang.org/x/sys/unix/syscall_bsd.go | 0 .../golang.org/x/sys/unix/syscall_darwin.1_12.go | 0 .../golang.org/x/sys/unix/syscall_darwin.1_13.go | 0 vendor/golang.org/x/sys/unix/syscall_darwin.go | 0 .../x/sys/unix/syscall_darwin_386.1_11.go | 0 vendor/golang.org/x/sys/unix/syscall_darwin_386.go | 0 .../x/sys/unix/syscall_darwin_amd64.1_11.go | 0 .../golang.org/x/sys/unix/syscall_darwin_amd64.go | 0 .../x/sys/unix/syscall_darwin_arm.1_11.go | 0 vendor/golang.org/x/sys/unix/syscall_darwin_arm.go | 0 .../x/sys/unix/syscall_darwin_arm64.1_11.go | 0 .../golang.org/x/sys/unix/syscall_darwin_arm64.go | 0 .../x/sys/unix/syscall_darwin_libSystem.go | 0 vendor/golang.org/x/sys/unix/syscall_dragonfly.go | 0 .../x/sys/unix/syscall_dragonfly_amd64.go | 0 vendor/golang.org/x/sys/unix/syscall_freebsd.go | 0 .../golang.org/x/sys/unix/syscall_freebsd_386.go | 0 .../golang.org/x/sys/unix/syscall_freebsd_amd64.go | 0 .../golang.org/x/sys/unix/syscall_freebsd_arm.go | 0 .../golang.org/x/sys/unix/syscall_freebsd_arm64.go | 0 vendor/golang.org/x/sys/unix/syscall_illumos.go | 0 vendor/golang.org/x/sys/unix/syscall_linux.go | 0 vendor/golang.org/x/sys/unix/syscall_linux_386.go | 0 .../golang.org/x/sys/unix/syscall_linux_amd64.go | 0 .../x/sys/unix/syscall_linux_amd64_gc.go | 0 vendor/golang.org/x/sys/unix/syscall_linux_arm.go | 0 .../golang.org/x/sys/unix/syscall_linux_arm64.go | 0 vendor/golang.org/x/sys/unix/syscall_linux_gc.go | 0 .../golang.org/x/sys/unix/syscall_linux_gc_386.go | 0 .../x/sys/unix/syscall_linux_gccgo_386.go | 0 .../x/sys/unix/syscall_linux_gccgo_arm.go | 0 .../golang.org/x/sys/unix/syscall_linux_mips64x.go | 0 .../golang.org/x/sys/unix/syscall_linux_mipsx.go | 0 .../golang.org/x/sys/unix/syscall_linux_ppc64x.go | 0 .../golang.org/x/sys/unix/syscall_linux_riscv64.go | 0 .../golang.org/x/sys/unix/syscall_linux_s390x.go | 0 .../golang.org/x/sys/unix/syscall_linux_sparc64.go | 0 vendor/golang.org/x/sys/unix/syscall_netbsd.go | 0 vendor/golang.org/x/sys/unix/syscall_netbsd_386.go | 0 .../golang.org/x/sys/unix/syscall_netbsd_amd64.go | 0 vendor/golang.org/x/sys/unix/syscall_netbsd_arm.go | 0 .../golang.org/x/sys/unix/syscall_netbsd_arm64.go | 0 vendor/golang.org/x/sys/unix/syscall_openbsd.go | 0 .../golang.org/x/sys/unix/syscall_openbsd_386.go | 0 .../golang.org/x/sys/unix/syscall_openbsd_amd64.go | 0 .../golang.org/x/sys/unix/syscall_openbsd_arm.go | 0 .../golang.org/x/sys/unix/syscall_openbsd_arm64.go | 0 vendor/golang.org/x/sys/unix/syscall_solaris.go | 0 .../golang.org/x/sys/unix/syscall_solaris_amd64.go | 0 vendor/golang.org/x/sys/unix/syscall_unix.go | 0 vendor/golang.org/x/sys/unix/syscall_unix_gc.go | 0 .../x/sys/unix/syscall_unix_gc_ppc64x.go | 0 vendor/golang.org/x/sys/unix/timestruct.go | 0 vendor/golang.org/x/sys/unix/unveil_openbsd.go | 0 vendor/golang.org/x/sys/unix/xattr_bsd.go | 0 vendor/golang.org/x/sys/unix/zerrors_aix_ppc.go | 0 vendor/golang.org/x/sys/unix/zerrors_aix_ppc64.go | 0 vendor/golang.org/x/sys/unix/zerrors_darwin_386.go | 0 .../golang.org/x/sys/unix/zerrors_darwin_amd64.go | 0 vendor/golang.org/x/sys/unix/zerrors_darwin_arm.go | 0 .../golang.org/x/sys/unix/zerrors_darwin_arm64.go | 0 .../x/sys/unix/zerrors_dragonfly_amd64.go | 0 .../golang.org/x/sys/unix/zerrors_freebsd_386.go | 0 .../golang.org/x/sys/unix/zerrors_freebsd_amd64.go | 0 .../golang.org/x/sys/unix/zerrors_freebsd_arm.go | 0 .../golang.org/x/sys/unix/zerrors_freebsd_arm64.go | 0 vendor/golang.org/x/sys/unix/zerrors_linux.go | 0 vendor/golang.org/x/sys/unix/zerrors_linux_386.go | 0 .../golang.org/x/sys/unix/zerrors_linux_amd64.go | 0 vendor/golang.org/x/sys/unix/zerrors_linux_arm.go | 0 .../golang.org/x/sys/unix/zerrors_linux_arm64.go | 0 vendor/golang.org/x/sys/unix/zerrors_linux_mips.go | 0 .../golang.org/x/sys/unix/zerrors_linux_mips64.go | 0 .../x/sys/unix/zerrors_linux_mips64le.go | 0 .../golang.org/x/sys/unix/zerrors_linux_mipsle.go | 0 .../golang.org/x/sys/unix/zerrors_linux_ppc64.go | 0 .../golang.org/x/sys/unix/zerrors_linux_ppc64le.go | 0 .../golang.org/x/sys/unix/zerrors_linux_riscv64.go | 0 .../golang.org/x/sys/unix/zerrors_linux_s390x.go | 0 .../golang.org/x/sys/unix/zerrors_linux_sparc64.go | 0 vendor/golang.org/x/sys/unix/zerrors_netbsd_386.go | 0 .../golang.org/x/sys/unix/zerrors_netbsd_amd64.go | 0 vendor/golang.org/x/sys/unix/zerrors_netbsd_arm.go | 0 .../golang.org/x/sys/unix/zerrors_netbsd_arm64.go | 0 .../golang.org/x/sys/unix/zerrors_openbsd_386.go | 0 .../golang.org/x/sys/unix/zerrors_openbsd_amd64.go | 0 .../golang.org/x/sys/unix/zerrors_openbsd_arm.go | 0 .../golang.org/x/sys/unix/zerrors_openbsd_arm64.go | 0 .../golang.org/x/sys/unix/zerrors_solaris_amd64.go | 0 .../golang.org/x/sys/unix/zptrace_armnn_linux.go | 0 .../golang.org/x/sys/unix/zptrace_linux_arm64.go | 0 .../golang.org/x/sys/unix/zptrace_mipsnn_linux.go | 0 .../x/sys/unix/zptrace_mipsnnle_linux.go | 0 vendor/golang.org/x/sys/unix/zptrace_x86_linux.go | 0 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc.go | 0 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64.go | 0 .../golang.org/x/sys/unix/zsyscall_aix_ppc64_gc.go | 0 .../x/sys/unix/zsyscall_aix_ppc64_gccgo.go | 0 .../x/sys/unix/zsyscall_darwin_386.1_11.go | 0 .../x/sys/unix/zsyscall_darwin_386.1_13.go | 0 .../x/sys/unix/zsyscall_darwin_386.1_13.s | 0 .../golang.org/x/sys/unix/zsyscall_darwin_386.go | 0 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.s | 0 .../x/sys/unix/zsyscall_darwin_amd64.1_11.go | 0 .../x/sys/unix/zsyscall_darwin_amd64.1_13.go | 0 .../x/sys/unix/zsyscall_darwin_amd64.1_13.s | 0 .../golang.org/x/sys/unix/zsyscall_darwin_amd64.go | 0 .../golang.org/x/sys/unix/zsyscall_darwin_amd64.s | 0 .../x/sys/unix/zsyscall_darwin_arm.1_11.go | 0 .../x/sys/unix/zsyscall_darwin_arm.1_13.go | 0 .../x/sys/unix/zsyscall_darwin_arm.1_13.s | 0 .../golang.org/x/sys/unix/zsyscall_darwin_arm.go | 0 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.s | 0 .../x/sys/unix/zsyscall_darwin_arm64.1_11.go | 0 .../x/sys/unix/zsyscall_darwin_arm64.1_13.go | 0 .../x/sys/unix/zsyscall_darwin_arm64.1_13.s | 0 .../golang.org/x/sys/unix/zsyscall_darwin_arm64.go | 0 .../golang.org/x/sys/unix/zsyscall_darwin_arm64.s | 0 .../x/sys/unix/zsyscall_dragonfly_amd64.go | 0 .../golang.org/x/sys/unix/zsyscall_freebsd_386.go | 0 .../x/sys/unix/zsyscall_freebsd_amd64.go | 0 .../golang.org/x/sys/unix/zsyscall_freebsd_arm.go | 0 .../x/sys/unix/zsyscall_freebsd_arm64.go | 0 .../x/sys/unix/zsyscall_illumos_amd64.go | 0 vendor/golang.org/x/sys/unix/zsyscall_linux.go | 0 vendor/golang.org/x/sys/unix/zsyscall_linux_386.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_amd64.go | 0 vendor/golang.org/x/sys/unix/zsyscall_linux_arm.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_arm64.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_mips.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_mips64.go | 0 .../x/sys/unix/zsyscall_linux_mips64le.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_mipsle.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_ppc64.go | 0 .../x/sys/unix/zsyscall_linux_ppc64le.go | 0 .../x/sys/unix/zsyscall_linux_riscv64.go | 0 .../golang.org/x/sys/unix/zsyscall_linux_s390x.go | 0 .../x/sys/unix/zsyscall_linux_sparc64.go | 0 .../golang.org/x/sys/unix/zsyscall_netbsd_386.go | 0 .../golang.org/x/sys/unix/zsyscall_netbsd_amd64.go | 0 .../golang.org/x/sys/unix/zsyscall_netbsd_arm.go | 0 .../golang.org/x/sys/unix/zsyscall_netbsd_arm64.go | 0 .../golang.org/x/sys/unix/zsyscall_openbsd_386.go | 0 .../x/sys/unix/zsyscall_openbsd_amd64.go | 0 .../golang.org/x/sys/unix/zsyscall_openbsd_arm.go | 0 .../x/sys/unix/zsyscall_openbsd_arm64.go | 0 .../x/sys/unix/zsyscall_solaris_amd64.go | 0 .../golang.org/x/sys/unix/zsysctl_openbsd_386.go | 0 .../golang.org/x/sys/unix/zsysctl_openbsd_amd64.go | 0 .../golang.org/x/sys/unix/zsysctl_openbsd_arm.go | 0 .../golang.org/x/sys/unix/zsysctl_openbsd_arm64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_darwin_386.go | 0 .../golang.org/x/sys/unix/zsysnum_darwin_amd64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_darwin_arm.go | 0 .../golang.org/x/sys/unix/zsysnum_darwin_arm64.go | 0 .../x/sys/unix/zsysnum_dragonfly_amd64.go | 0 .../golang.org/x/sys/unix/zsysnum_freebsd_386.go | 0 .../golang.org/x/sys/unix/zsysnum_freebsd_amd64.go | 0 .../golang.org/x/sys/unix/zsysnum_freebsd_arm.go | 0 .../golang.org/x/sys/unix/zsysnum_freebsd_arm64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_linux_386.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_amd64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_linux_arm.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_arm64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_linux_mips.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_mips64.go | 0 .../x/sys/unix/zsysnum_linux_mips64le.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_mipsle.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_ppc64.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_ppc64le.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_riscv64.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_s390x.go | 0 .../golang.org/x/sys/unix/zsysnum_linux_sparc64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_netbsd_386.go | 0 .../golang.org/x/sys/unix/zsysnum_netbsd_amd64.go | 0 vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm.go | 0 .../golang.org/x/sys/unix/zsysnum_netbsd_arm64.go | 0 .../golang.org/x/sys/unix/zsysnum_openbsd_386.go | 0 .../golang.org/x/sys/unix/zsysnum_openbsd_amd64.go | 0 .../golang.org/x/sys/unix/zsysnum_openbsd_arm.go | 0 .../golang.org/x/sys/unix/zsysnum_openbsd_arm64.go | 0 vendor/golang.org/x/sys/unix/ztypes_aix_ppc.go | 0 vendor/golang.org/x/sys/unix/ztypes_aix_ppc64.go | 0 vendor/golang.org/x/sys/unix/ztypes_darwin_386.go | 0 .../golang.org/x/sys/unix/ztypes_darwin_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_darwin_arm.go | 0 .../golang.org/x/sys/unix/ztypes_darwin_arm64.go | 0 .../x/sys/unix/ztypes_dragonfly_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_freebsd_386.go | 0 .../golang.org/x/sys/unix/ztypes_freebsd_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_freebsd_arm.go | 0 .../golang.org/x/sys/unix/ztypes_freebsd_arm64.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_386.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_arm.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_arm64.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_mips.go | 0 .../golang.org/x/sys/unix/ztypes_linux_mips64.go | 0 .../golang.org/x/sys/unix/ztypes_linux_mips64le.go | 0 .../golang.org/x/sys/unix/ztypes_linux_mipsle.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_ppc64.go | 0 .../golang.org/x/sys/unix/ztypes_linux_ppc64le.go | 0 .../golang.org/x/sys/unix/ztypes_linux_riscv64.go | 0 vendor/golang.org/x/sys/unix/ztypes_linux_s390x.go | 0 .../golang.org/x/sys/unix/ztypes_linux_sparc64.go | 0 vendor/golang.org/x/sys/unix/ztypes_netbsd_386.go | 0 .../golang.org/x/sys/unix/ztypes_netbsd_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_netbsd_arm.go | 0 .../golang.org/x/sys/unix/ztypes_netbsd_arm64.go | 0 vendor/golang.org/x/sys/unix/ztypes_openbsd_386.go | 0 .../golang.org/x/sys/unix/ztypes_openbsd_amd64.go | 0 vendor/golang.org/x/sys/unix/ztypes_openbsd_arm.go | 0 .../golang.org/x/sys/unix/ztypes_openbsd_arm64.go | 0 .../golang.org/x/sys/unix/ztypes_solaris_amd64.go | 0 vendor/golang.org/x/sys/windows/aliases.go | 0 vendor/golang.org/x/sys/windows/dll_windows.go | 0 vendor/golang.org/x/sys/windows/empty.s | 0 vendor/golang.org/x/sys/windows/env_windows.go | 0 vendor/golang.org/x/sys/windows/eventlog.go | 0 vendor/golang.org/x/sys/windows/exec_windows.go | 0 vendor/golang.org/x/sys/windows/memory_windows.go | 0 vendor/golang.org/x/sys/windows/mkerrors.bash | 0 .../golang.org/x/sys/windows/mkknownfolderids.bash | 0 vendor/golang.org/x/sys/windows/mksyscall.go | 0 vendor/golang.org/x/sys/windows/race.go | 0 vendor/golang.org/x/sys/windows/race0.go | 0 .../golang.org/x/sys/windows/security_windows.go | 0 vendor/golang.org/x/sys/windows/service.go | 0 vendor/golang.org/x/sys/windows/str.go | 0 vendor/golang.org/x/sys/windows/svc/debug/log.go | 0 .../golang.org/x/sys/windows/svc/debug/service.go | 0 vendor/golang.org/x/sys/windows/svc/event.go | 0 vendor/golang.org/x/sys/windows/svc/go12.c | 0 vendor/golang.org/x/sys/windows/svc/go12.go | 0 vendor/golang.org/x/sys/windows/svc/go13.go | 0 vendor/golang.org/x/sys/windows/svc/security.go | 0 vendor/golang.org/x/sys/windows/svc/service.go | 0 vendor/golang.org/x/sys/windows/svc/sys_386.s | 0 vendor/golang.org/x/sys/windows/svc/sys_amd64.s | 0 vendor/golang.org/x/sys/windows/svc/sys_arm.s | 0 vendor/golang.org/x/sys/windows/syscall.go | 0 vendor/golang.org/x/sys/windows/syscall_windows.go | 0 vendor/golang.org/x/sys/windows/types_windows.go | 0 .../golang.org/x/sys/windows/types_windows_386.go | 0 .../x/sys/windows/types_windows_amd64.go | 0 .../golang.org/x/sys/windows/types_windows_arm.go | 0 vendor/golang.org/x/sys/windows/zerrors_windows.go | 0 .../x/sys/windows/zknownfolderids_windows.go | 0 .../golang.org/x/sys/windows/zsyscall_windows.go | 0 vendor/golang.org/x/text/AUTHORS | 0 vendor/golang.org/x/text/CONTRIBUTORS | 0 vendor/golang.org/x/text/LICENSE | 0 vendor/golang.org/x/text/PATENTS | 0 .../golang.org/x/text/encoding/charmap/charmap.go | 0 .../golang.org/x/text/encoding/charmap/tables.go | 0 vendor/golang.org/x/text/encoding/encoding.go | 0 .../x/text/encoding/htmlindex/htmlindex.go | 0 vendor/golang.org/x/text/encoding/htmlindex/map.go | 0 .../golang.org/x/text/encoding/htmlindex/tables.go | 0 .../encoding/internal/identifier/identifier.go | 0 .../x/text/encoding/internal/identifier/mib.go | 0 .../x/text/encoding/internal/internal.go | 0 vendor/golang.org/x/text/encoding/japanese/all.go | 0 .../golang.org/x/text/encoding/japanese/eucjp.go | 0 .../x/text/encoding/japanese/iso2022jp.go | 0 .../x/text/encoding/japanese/shiftjis.go | 0 .../golang.org/x/text/encoding/japanese/tables.go | 0 vendor/golang.org/x/text/encoding/korean/euckr.go | 0 vendor/golang.org/x/text/encoding/korean/tables.go | 0 .../x/text/encoding/simplifiedchinese/all.go | 0 .../x/text/encoding/simplifiedchinese/gbk.go | 0 .../x/text/encoding/simplifiedchinese/hzgb2312.go | 0 .../x/text/encoding/simplifiedchinese/tables.go | 0 .../x/text/encoding/traditionalchinese/big5.go | 0 .../x/text/encoding/traditionalchinese/tables.go | 0 .../golang.org/x/text/encoding/unicode/override.go | 0 .../golang.org/x/text/encoding/unicode/unicode.go | 0 .../golang.org/x/text/internal/language/common.go | 0 .../golang.org/x/text/internal/language/compact.go | 0 .../x/text/internal/language/compact/compact.go | 0 .../x/text/internal/language/compact/language.go | 0 .../x/text/internal/language/compact/parents.go | 0 .../x/text/internal/language/compact/tables.go | 0 .../x/text/internal/language/compact/tags.go | 0 .../golang.org/x/text/internal/language/compose.go | 0 .../x/text/internal/language/coverage.go | 0 .../x/text/internal/language/language.go | 0 .../golang.org/x/text/internal/language/lookup.go | 0 .../golang.org/x/text/internal/language/match.go | 0 .../golang.org/x/text/internal/language/parse.go | 0 .../golang.org/x/text/internal/language/tables.go | 0 vendor/golang.org/x/text/internal/language/tags.go | 0 vendor/golang.org/x/text/internal/tag/tag.go | 0 .../x/text/internal/utf8internal/utf8internal.go | 0 vendor/golang.org/x/text/language/coverage.go | 0 vendor/golang.org/x/text/language/doc.go | 0 vendor/golang.org/x/text/language/go1_1.go | 0 vendor/golang.org/x/text/language/go1_2.go | 0 vendor/golang.org/x/text/language/language.go | 0 vendor/golang.org/x/text/language/match.go | 0 vendor/golang.org/x/text/language/parse.go | 0 vendor/golang.org/x/text/language/tables.go | 0 vendor/golang.org/x/text/language/tags.go | 0 vendor/golang.org/x/text/runes/cond.go | 0 vendor/golang.org/x/text/runes/runes.go | 0 .../golang.org/x/text/secure/bidirule/bidirule.go | 0 .../x/text/secure/bidirule/bidirule10.0.0.go | 0 .../x/text/secure/bidirule/bidirule9.0.0.go | 0 vendor/golang.org/x/text/transform/transform.go | 0 vendor/golang.org/x/text/unicode/bidi/bidi.go | 0 vendor/golang.org/x/text/unicode/bidi/bracket.go | 0 vendor/golang.org/x/text/unicode/bidi/core.go | 0 vendor/golang.org/x/text/unicode/bidi/prop.go | 0 .../golang.org/x/text/unicode/bidi/tables10.0.0.go | 0 .../golang.org/x/text/unicode/bidi/tables11.0.0.go | 0 .../golang.org/x/text/unicode/bidi/tables9.0.0.go | 0 vendor/golang.org/x/text/unicode/bidi/trieval.go | 0 .../golang.org/x/text/unicode/norm/composition.go | 0 vendor/golang.org/x/text/unicode/norm/forminfo.go | 0 vendor/golang.org/x/text/unicode/norm/input.go | 0 vendor/golang.org/x/text/unicode/norm/iter.go | 0 vendor/golang.org/x/text/unicode/norm/normalize.go | 0 .../golang.org/x/text/unicode/norm/readwriter.go | 0 .../golang.org/x/text/unicode/norm/tables10.0.0.go | 0 .../golang.org/x/text/unicode/norm/tables11.0.0.go | 0 .../golang.org/x/text/unicode/norm/tables9.0.0.go | 0 vendor/golang.org/x/text/unicode/norm/transform.go | 0 vendor/golang.org/x/text/unicode/norm/trie.go | 0 vendor/golang.org/x/text/width/kind_string.go | 0 vendor/golang.org/x/text/width/tables10.0.0.go | 0 vendor/golang.org/x/text/width/tables11.0.0.go | 0 vendor/golang.org/x/text/width/tables9.0.0.go | 0 vendor/golang.org/x/text/width/transform.go | 0 vendor/golang.org/x/text/width/trieval.go | 0 vendor/golang.org/x/text/width/width.go | 0 vendor/golang.org/x/time/AUTHORS | 0 vendor/golang.org/x/time/CONTRIBUTORS | 0 vendor/golang.org/x/time/LICENSE | 0 vendor/golang.org/x/time/PATENTS | 0 vendor/golang.org/x/time/rate/rate.go | 0 vendor/golang.org/x/tools/AUTHORS | 0 vendor/golang.org/x/tools/CONTRIBUTORS | 0 vendor/golang.org/x/tools/LICENSE | 0 vendor/golang.org/x/tools/PATENTS | 0 vendor/golang.org/x/tools/cover/profile.go | 0 vendor/golang.org/x/tools/go/analysis/analysis.go | 0 .../golang.org/x/tools/go/analysis/diagnostic.go | 0 vendor/golang.org/x/tools/go/analysis/doc.go | 0 .../go/analysis/internal/analysisflags/flags.go | 0 .../go/analysis/internal/analysisflags/help.go | 0 .../x/tools/go/analysis/internal/facts/facts.go | 0 .../x/tools/go/analysis/internal/facts/imports.go | 0 .../x/tools/go/analysis/unitchecker/unitchecker.go | 0 .../go/analysis/unitchecker/unitchecker112.go | 0 vendor/golang.org/x/tools/go/analysis/validate.go | 0 .../golang.org/x/tools/go/ast/astutil/enclosing.go | 0 .../golang.org/x/tools/go/ast/astutil/imports.go | 0 .../golang.org/x/tools/go/ast/astutil/rewrite.go | 0 vendor/golang.org/x/tools/go/ast/astutil/util.go | 0 .../golang.org/x/tools/go/buildutil/allpackages.go | 0 .../golang.org/x/tools/go/buildutil/fakecontext.go | 0 vendor/golang.org/x/tools/go/buildutil/overlay.go | 0 vendor/golang.org/x/tools/go/buildutil/tags.go | 0 vendor/golang.org/x/tools/go/buildutil/util.go | 0 .../x/tools/go/gcexportdata/gcexportdata.go | 0 .../golang.org/x/tools/go/gcexportdata/importer.go | 0 vendor/golang.org/x/tools/go/internal/cgo/cgo.go | 0 .../x/tools/go/internal/cgo/cgo_pkgconfig.go | 0 .../x/tools/go/internal/gcimporter/exportdata.go | 0 .../x/tools/go/internal/gcimporter/gcimporter.go | 0 .../x/tools/go/internal/gcimporter/iexport.go | 0 .../x/tools/go/internal/gcimporter/iimport.go | 0 .../tools/go/internal/gcimporter/newInterface10.go | 0 .../tools/go/internal/gcimporter/newInterface11.go | 0 .../x/tools/go/internal/packagesdriver/sizes.go | 0 vendor/golang.org/x/tools/go/loader/doc.go | 0 vendor/golang.org/x/tools/go/loader/loader.go | 0 vendor/golang.org/x/tools/go/loader/util.go | 0 vendor/golang.org/x/tools/go/packages/doc.go | 0 vendor/golang.org/x/tools/go/packages/external.go | 0 vendor/golang.org/x/tools/go/packages/golist.go | 0 .../x/tools/go/packages/golist_overlay.go | 0 .../x/tools/go/packages/loadmode_string.go | 0 vendor/golang.org/x/tools/go/packages/packages.go | 0 vendor/golang.org/x/tools/go/packages/visit.go | 0 .../x/tools/go/types/objectpath/objectpath.go | 0 vendor/golang.org/x/tools/imports/forward.go | 0 .../x/tools/internal/analysisinternal/analysis.go | 0 .../x/tools/internal/event/core/event.go | 0 .../x/tools/internal/event/core/export.go | 0 .../golang.org/x/tools/internal/event/core/fast.go | 0 vendor/golang.org/x/tools/internal/event/doc.go | 0 vendor/golang.org/x/tools/internal/event/event.go | 0 .../golang.org/x/tools/internal/event/keys/keys.go | 0 .../x/tools/internal/event/keys/standard.go | 0 .../x/tools/internal/event/label/label.go | 0 .../x/tools/internal/fastwalk/fastwalk.go | 0 .../internal/fastwalk/fastwalk_dirent_fileno.go | 0 .../tools/internal/fastwalk/fastwalk_dirent_ino.go | 0 .../fastwalk/fastwalk_dirent_namlen_bsd.go | 0 .../fastwalk/fastwalk_dirent_namlen_linux.go | 0 .../x/tools/internal/fastwalk/fastwalk_portable.go | 0 .../x/tools/internal/fastwalk/fastwalk_unix.go | 0 .../x/tools/internal/gocommand/invoke.go | 0 .../golang.org/x/tools/internal/gopathwalk/walk.go | 0 vendor/golang.org/x/tools/internal/imports/fix.go | 0 .../golang.org/x/tools/internal/imports/imports.go | 0 vendor/golang.org/x/tools/internal/imports/mod.go | 0 .../x/tools/internal/imports/mod_cache.go | 0 .../x/tools/internal/imports/sortimports.go | 0 .../golang.org/x/tools/internal/imports/zstdlib.go | 0 .../x/tools/internal/packagesinternal/packages.go | 0 vendor/golang.org/x/xerrors/LICENSE | 0 vendor/golang.org/x/xerrors/PATENTS | 0 vendor/golang.org/x/xerrors/README | 0 vendor/golang.org/x/xerrors/adaptor.go | 0 vendor/golang.org/x/xerrors/codereview.cfg | 0 vendor/golang.org/x/xerrors/doc.go | 0 vendor/golang.org/x/xerrors/errors.go | 0 vendor/golang.org/x/xerrors/fmt.go | 0 vendor/golang.org/x/xerrors/format.go | 0 vendor/golang.org/x/xerrors/frame.go | 0 vendor/golang.org/x/xerrors/go.mod | 0 vendor/golang.org/x/xerrors/internal/internal.go | 0 vendor/golang.org/x/xerrors/wrap.go | 0 vendor/google.golang.org/api/AUTHORS | 0 vendor/google.golang.org/api/CONTRIBUTORS | 0 vendor/google.golang.org/api/LICENSE | 0 .../api/googleapi/transport/apikey.go | 0 vendor/google.golang.org/api/internal/creds.go | 0 vendor/google.golang.org/api/internal/pool.go | 0 .../api/internal/service-account.json | 0 vendor/google.golang.org/api/internal/settings.go | 0 vendor/google.golang.org/api/iterator/iterator.go | 0 .../api/option/credentials_go19.go | 0 .../api/option/credentials_notgo19.go | 0 vendor/google.golang.org/api/option/option.go | 0 .../api/support/bundler/bundler.go | 0 vendor/google.golang.org/api/transport/dial.go | 0 vendor/google.golang.org/api/transport/doc.go | 0 vendor/google.golang.org/api/transport/go19.go | 0 .../google.golang.org/api/transport/grpc/dial.go | 0 .../api/transport/grpc/dial_appengine.go | 0 .../api/transport/grpc/dial_socketopt.go | 0 .../google.golang.org/api/transport/http/dial.go | 0 .../api/transport/http/dial_appengine.go | 0 .../transport/http/internal/propagation/http.go | 0 vendor/google.golang.org/api/transport/not_go19.go | 0 vendor/google.golang.org/appengine/.travis.yml | 0 vendor/google.golang.org/appengine/CONTRIBUTING.md | 0 vendor/google.golang.org/appengine/LICENSE | 0 vendor/google.golang.org/appengine/README.md | 0 vendor/google.golang.org/appengine/appengine.go | 0 vendor/google.golang.org/appengine/appengine_vm.go | 0 .../appengine/cloudsql/cloudsql.go | 0 .../appengine/cloudsql/cloudsql_classic.go | 0 .../appengine/cloudsql/cloudsql_vm.go | 0 vendor/google.golang.org/appengine/errors.go | 0 vendor/google.golang.org/appengine/go.mod | 0 vendor/google.golang.org/appengine/go.sum | 0 vendor/google.golang.org/appengine/identity.go | 0 vendor/google.golang.org/appengine/internal/api.go | 0 .../appengine/internal/api_classic.go | 0 .../appengine/internal/api_common.go | 0 .../google.golang.org/appengine/internal/app_id.go | 0 .../app_identity/app_identity_service.pb.go | 0 .../app_identity/app_identity_service.proto | 0 .../appengine/internal/base/api_base.pb.go | 0 .../appengine/internal/base/api_base.proto | 0 .../internal/datastore/datastore_v3.pb.go | 0 .../internal/datastore/datastore_v3.proto | 0 .../appengine/internal/identity.go | 0 .../appengine/internal/identity_classic.go | 0 .../appengine/internal/identity_flex.go | 0 .../appengine/internal/identity_vm.go | 0 .../appengine/internal/internal.go | 0 .../appengine/internal/log/log_service.pb.go | 0 .../appengine/internal/log/log_service.proto | 0 .../google.golang.org/appengine/internal/main.go | 0 .../appengine/internal/main_common.go | 0 .../appengine/internal/main_vm.go | 0 .../appengine/internal/metadata.go | 0 .../internal/modules/modules_service.pb.go | 0 .../internal/modules/modules_service.proto | 0 vendor/google.golang.org/appengine/internal/net.go | 0 .../google.golang.org/appengine/internal/regen.sh | 0 .../appengine/internal/remote_api/remote_api.pb.go | 0 .../appengine/internal/remote_api/remote_api.proto | 0 .../appengine/internal/socket/socket_service.pb.go | 0 .../appengine/internal/socket/socket_service.proto | 0 .../appengine/internal/transaction.go | 0 .../internal/urlfetch/urlfetch_service.pb.go | 0 .../internal/urlfetch/urlfetch_service.proto | 0 vendor/google.golang.org/appengine/namespace.go | 0 vendor/google.golang.org/appengine/socket/doc.go | 0 .../appengine/socket/socket_classic.go | 0 .../appengine/socket/socket_vm.go | 0 vendor/google.golang.org/appengine/timeout.go | 0 .../google.golang.org/appengine/travis_install.sh | 0 vendor/google.golang.org/appengine/travis_test.sh | 0 .../appengine/urlfetch/urlfetch.go | 0 vendor/google.golang.org/genproto/LICENSE | 0 .../googleapis/api/annotations/annotations.pb.go | 0 .../googleapis/api/annotations/client.pb.go | 0 .../api/annotations/field_behavior.pb.go | 0 .../genproto/googleapis/api/annotations/http.pb.go | 0 .../googleapis/api/annotations/resource.pb.go | 0 .../genproto/googleapis/iam/v1/iam_policy.pb.go | 0 .../genproto/googleapis/iam/v1/options.pb.go | 0 .../genproto/googleapis/iam/v1/policy.pb.go | 0 .../genproto/googleapis/pubsub/v1/pubsub.pb.go | 0 .../genproto/googleapis/rpc/status/status.pb.go | 0 .../genproto/googleapis/type/expr/expr.pb.go | 0 .../genproto/protobuf/field_mask/field_mask.pb.go | 0 vendor/google.golang.org/grpc/.travis.yml | 0 vendor/google.golang.org/grpc/AUTHORS | 0 vendor/google.golang.org/grpc/CONTRIBUTING.md | 0 vendor/google.golang.org/grpc/LICENSE | 0 vendor/google.golang.org/grpc/Makefile | 0 vendor/google.golang.org/grpc/README.md | 0 vendor/google.golang.org/grpc/backoff.go | 0 vendor/google.golang.org/grpc/balancer.go | 0 vendor/google.golang.org/grpc/balancer/balancer.go | 0 .../grpc/balancer/base/balancer.go | 0 .../google.golang.org/grpc/balancer/base/base.go | 0 .../balancer/grpclb/grpc_lb_v1/load_balancer.pb.go | 0 .../grpc/balancer/grpclb/grpclb.go | 0 .../grpc/balancer/grpclb/grpclb_config.go | 0 .../grpc/balancer/grpclb/grpclb_picker.go | 0 .../grpc/balancer/grpclb/grpclb_remote_balancer.go | 0 .../grpc/balancer/grpclb/grpclb_util.go | 0 .../grpc/balancer/grpclb/regenerate.sh | 0 .../grpc/balancer/roundrobin/roundrobin.go | 0 .../grpc/balancer_conn_wrappers.go | 0 .../google.golang.org/grpc/balancer_v1_wrapper.go | 0 .../binarylog/grpc_binarylog_v1/binarylog.pb.go | 0 vendor/google.golang.org/grpc/call.go | 0 vendor/google.golang.org/grpc/clientconn.go | 0 vendor/google.golang.org/grpc/codec.go | 0 vendor/google.golang.org/grpc/codegen.sh | 0 vendor/google.golang.org/grpc/codes/code_string.go | 0 vendor/google.golang.org/grpc/codes/codes.go | 0 .../grpc/connectivity/connectivity.go | 0 .../grpc/credentials/alts/alts.go | 0 .../credentials/alts/internal/authinfo/authinfo.go | 0 .../grpc/credentials/alts/internal/common.go | 0 .../credentials/alts/internal/conn/aeadrekey.go | 0 .../credentials/alts/internal/conn/aes128gcm.go | 0 .../alts/internal/conn/aes128gcmrekey.go | 0 .../grpc/credentials/alts/internal/conn/common.go | 0 .../grpc/credentials/alts/internal/conn/counter.go | 0 .../grpc/credentials/alts/internal/conn/record.go | 0 .../grpc/credentials/alts/internal/conn/utils.go | 0 .../alts/internal/handshaker/handshaker.go | 0 .../alts/internal/handshaker/service/service.go | 0 .../alts/internal/proto/grpc_gcp/altscontext.pb.go | 0 .../alts/internal/proto/grpc_gcp/handshaker.pb.go | 0 .../proto/grpc_gcp/transport_security_common.pb.go | 0 .../grpc/credentials/alts/internal/regenerate.sh | 0 .../grpc/credentials/alts/utils.go | 0 .../grpc/credentials/credentials.go | 0 .../grpc/credentials/google/google.go | 0 .../grpc/credentials/internal/syscallconn.go | 0 .../credentials/internal/syscallconn_appengine.go | 0 .../grpc/credentials/oauth/oauth.go | 0 vendor/google.golang.org/grpc/credentials/tls13.go | 0 vendor/google.golang.org/grpc/dialoptions.go | 0 vendor/google.golang.org/grpc/doc.go | 0 vendor/google.golang.org/grpc/encoding/encoding.go | 0 .../google.golang.org/grpc/encoding/proto/proto.go | 0 vendor/google.golang.org/grpc/go.mod | 0 vendor/google.golang.org/grpc/go.sum | 0 vendor/google.golang.org/grpc/grpclog/grpclog.go | 0 vendor/google.golang.org/grpc/grpclog/logger.go | 0 vendor/google.golang.org/grpc/grpclog/loggerv2.go | 0 vendor/google.golang.org/grpc/install_gae.sh | 0 vendor/google.golang.org/grpc/interceptor.go | 0 .../grpc/internal/backoff/backoff.go | 0 .../grpc/internal/balancerload/load.go | 0 .../grpc/internal/binarylog/binarylog.go | 0 .../grpc/internal/binarylog/binarylog_testutil.go | 0 .../grpc/internal/binarylog/env_config.go | 0 .../grpc/internal/binarylog/method_logger.go | 0 .../grpc/internal/binarylog/regenerate.sh | 0 .../grpc/internal/binarylog/sink.go | 0 .../grpc/internal/binarylog/util.go | 0 .../grpc/internal/channelz/funcs.go | 0 .../grpc/internal/channelz/types.go | 0 .../grpc/internal/channelz/types_linux.go | 0 .../grpc/internal/channelz/types_nonlinux.go | 0 .../grpc/internal/channelz/util_linux.go | 0 .../grpc/internal/channelz/util_nonlinux.go | 0 .../grpc/internal/envconfig/envconfig.go | 0 .../grpc/internal/grpcrand/grpcrand.go | 0 .../grpc/internal/grpcsync/event.go | 0 vendor/google.golang.org/grpc/internal/internal.go | 0 .../grpc/internal/syscall/syscall_linux.go | 0 .../grpc/internal/syscall/syscall_nonlinux.go | 0 .../grpc/internal/transport/bdp_estimator.go | 0 .../grpc/internal/transport/controlbuf.go | 0 .../grpc/internal/transport/defaults.go | 0 .../grpc/internal/transport/flowcontrol.go | 0 .../grpc/internal/transport/handler_server.go | 0 .../grpc/internal/transport/http2_client.go | 0 .../grpc/internal/transport/http2_server.go | 0 .../grpc/internal/transport/http_util.go | 0 .../grpc/internal/transport/log.go | 0 .../grpc/internal/transport/transport.go | 0 .../google.golang.org/grpc/keepalive/keepalive.go | 0 vendor/google.golang.org/grpc/metadata/metadata.go | 0 .../google.golang.org/grpc/naming/dns_resolver.go | 0 vendor/google.golang.org/grpc/naming/naming.go | 0 vendor/google.golang.org/grpc/peer/peer.go | 0 vendor/google.golang.org/grpc/picker_wrapper.go | 0 vendor/google.golang.org/grpc/pickfirst.go | 0 vendor/google.golang.org/grpc/preloader.go | 0 vendor/google.golang.org/grpc/proxy.go | 0 .../grpc/resolver/dns/dns_resolver.go | 0 .../grpc/resolver/passthrough/passthrough.go | 0 vendor/google.golang.org/grpc/resolver/resolver.go | 0 .../grpc/resolver_conn_wrapper.go | 0 vendor/google.golang.org/grpc/rpc_util.go | 0 vendor/google.golang.org/grpc/server.go | 0 vendor/google.golang.org/grpc/service_config.go | 0 vendor/google.golang.org/grpc/stats/handlers.go | 0 vendor/google.golang.org/grpc/stats/stats.go | 0 vendor/google.golang.org/grpc/status/status.go | 0 vendor/google.golang.org/grpc/stream.go | 0 vendor/google.golang.org/grpc/tap/tap.go | 0 vendor/google.golang.org/grpc/trace.go | 0 vendor/google.golang.org/grpc/version.go | 0 vendor/google.golang.org/grpc/vet.sh | 0 vendor/google.golang.org/protobuf/AUTHORS | 0 vendor/google.golang.org/protobuf/CONTRIBUTORS | 0 vendor/google.golang.org/protobuf/LICENSE | 0 vendor/google.golang.org/protobuf/PATENTS | 0 .../protobuf/encoding/prototext/decode.go | 0 .../protobuf/encoding/prototext/doc.go | 0 .../protobuf/encoding/prototext/encode.go | 0 .../protobuf/encoding/protowire/wire.go | 0 .../protobuf/internal/descfmt/stringer.go | 0 .../protobuf/internal/descopts/options.go | 0 .../protobuf/internal/detrand/rand.go | 0 .../protobuf/internal/encoding/defval/default.go | 0 .../internal/encoding/messageset/messageset.go | 0 .../protobuf/internal/encoding/tag/tag.go | 0 .../protobuf/internal/encoding/text/decode.go | 0 .../internal/encoding/text/decode_number.go | 0 .../internal/encoding/text/decode_string.go | 0 .../internal/encoding/text/decode_token.go | 0 .../protobuf/internal/encoding/text/doc.go | 0 .../protobuf/internal/encoding/text/encode.go | 0 .../protobuf/internal/errors/errors.go | 0 .../protobuf/internal/errors/is_go112.go | 0 .../protobuf/internal/errors/is_go113.go | 0 .../protobuf/internal/fieldnum/any_gen.go | 0 .../protobuf/internal/fieldnum/api_gen.go | 0 .../protobuf/internal/fieldnum/descriptor_gen.go | 0 .../protobuf/internal/fieldnum/doc.go | 0 .../protobuf/internal/fieldnum/duration_gen.go | 0 .../protobuf/internal/fieldnum/empty_gen.go | 0 .../protobuf/internal/fieldnum/field_mask_gen.go | 0 .../internal/fieldnum/source_context_gen.go | 0 .../protobuf/internal/fieldnum/struct_gen.go | 0 .../protobuf/internal/fieldnum/timestamp_gen.go | 0 .../protobuf/internal/fieldnum/type_gen.go | 0 .../protobuf/internal/fieldnum/wrappers_gen.go | 0 .../protobuf/internal/fieldsort/fieldsort.go | 0 .../protobuf/internal/filedesc/build.go | 0 .../protobuf/internal/filedesc/desc.go | 0 .../protobuf/internal/filedesc/desc_init.go | 0 .../protobuf/internal/filedesc/desc_lazy.go | 0 .../protobuf/internal/filedesc/desc_list.go | 0 .../protobuf/internal/filedesc/desc_list_gen.go | 0 .../protobuf/internal/filedesc/placeholder.go | 0 .../protobuf/internal/filetype/build.go | 0 .../protobuf/internal/flags/flags.go | 0 .../internal/flags/proto_legacy_disable.go | 0 .../protobuf/internal/flags/proto_legacy_enable.go | 0 .../protobuf/internal/genname/name.go | 0 .../protobuf/internal/impl/api_export.go | 0 .../protobuf/internal/impl/checkinit.go | 0 .../protobuf/internal/impl/codec_extension.go | 0 .../protobuf/internal/impl/codec_field.go | 0 .../protobuf/internal/impl/codec_gen.go | 0 .../protobuf/internal/impl/codec_map.go | 0 .../protobuf/internal/impl/codec_map_go111.go | 0 .../protobuf/internal/impl/codec_map_go112.go | 0 .../protobuf/internal/impl/codec_message.go | 0 .../protobuf/internal/impl/codec_messageset.go | 0 .../protobuf/internal/impl/codec_reflect.go | 0 .../protobuf/internal/impl/codec_tables.go | 0 .../protobuf/internal/impl/codec_unsafe.go | 0 .../protobuf/internal/impl/convert.go | 0 .../protobuf/internal/impl/convert_list.go | 0 .../protobuf/internal/impl/convert_map.go | 0 .../protobuf/internal/impl/decode.go | 0 .../protobuf/internal/impl/encode.go | 0 .../protobuf/internal/impl/enum.go | 0 .../protobuf/internal/impl/extension.go | 0 .../protobuf/internal/impl/legacy_enum.go | 0 .../protobuf/internal/impl/legacy_export.go | 0 .../protobuf/internal/impl/legacy_extension.go | 0 .../protobuf/internal/impl/legacy_file.go | 0 .../protobuf/internal/impl/legacy_message.go | 0 .../protobuf/internal/impl/merge.go | 0 .../protobuf/internal/impl/merge_gen.go | 0 .../protobuf/internal/impl/message.go | 0 .../protobuf/internal/impl/message_reflect.go | 0 .../internal/impl/message_reflect_field.go | 0 .../protobuf/internal/impl/message_reflect_gen.go | 0 .../protobuf/internal/impl/pointer_reflect.go | 0 .../protobuf/internal/impl/pointer_unsafe.go | 0 .../protobuf/internal/impl/validate.go | 0 .../protobuf/internal/impl/weak.go | 0 .../protobuf/internal/mapsort/mapsort.go | 0 .../protobuf/internal/pragma/pragma.go | 0 .../protobuf/internal/set/ints.go | 0 .../protobuf/internal/strs/strings.go | 0 .../protobuf/internal/strs/strings_pure.go | 0 .../protobuf/internal/strs/strings_unsafe.go | 0 .../protobuf/internal/version/version.go | 0 .../google.golang.org/protobuf/proto/checkinit.go | 0 vendor/google.golang.org/protobuf/proto/decode.go | 0 .../google.golang.org/protobuf/proto/decode_gen.go | 0 vendor/google.golang.org/protobuf/proto/doc.go | 0 vendor/google.golang.org/protobuf/proto/encode.go | 0 .../google.golang.org/protobuf/proto/encode_gen.go | 0 vendor/google.golang.org/protobuf/proto/equal.go | 0 .../google.golang.org/protobuf/proto/extension.go | 0 vendor/google.golang.org/protobuf/proto/merge.go | 0 .../google.golang.org/protobuf/proto/messageset.go | 0 vendor/google.golang.org/protobuf/proto/proto.go | 0 .../protobuf/proto/proto_methods.go | 0 .../protobuf/proto/proto_reflect.go | 0 vendor/google.golang.org/protobuf/proto/reset.go | 0 vendor/google.golang.org/protobuf/proto/size.go | 0 .../google.golang.org/protobuf/proto/size_gen.go | 0 .../google.golang.org/protobuf/proto/wrappers.go | 0 .../protobuf/reflect/protoreflect/methods.go | 0 .../protobuf/reflect/protoreflect/proto.go | 0 .../protobuf/reflect/protoreflect/source.go | 0 .../protobuf/reflect/protoreflect/type.go | 0 .../protobuf/reflect/protoreflect/value.go | 0 .../protobuf/reflect/protoreflect/value_pure.go | 0 .../protobuf/reflect/protoreflect/value_union.go | 0 .../protobuf/reflect/protoreflect/value_unsafe.go | 0 .../protobuf/reflect/protoregistry/registry.go | 0 .../protobuf/runtime/protoiface/legacy.go | 0 .../protobuf/runtime/protoiface/methods.go | 0 .../protobuf/runtime/protoimpl/impl.go | 0 .../protobuf/runtime/protoimpl/version.go | 0 .../protobuf/types/descriptorpb/descriptor.pb.go | 0 .../protobuf/types/known/anypb/any.pb.go | 0 .../protobuf/types/known/durationpb/duration.pb.go | 0 .../protobuf/types/known/emptypb/empty.pb.go | 0 .../types/known/timestamppb/timestamp.pb.go | 0 .../gopkg.in/alexcesaro/quotedprintable.v3/LICENSE | 0 .../alexcesaro/quotedprintable.v3/README.md | 0 .../alexcesaro/quotedprintable.v3/encodedword.go | 0 .../gopkg.in/alexcesaro/quotedprintable.v3/pool.go | 0 .../alexcesaro/quotedprintable.v3/pool_go12.go | 0 .../alexcesaro/quotedprintable.v3/reader.go | 0 .../alexcesaro/quotedprintable.v3/writer.go | 0 vendor/gopkg.in/asn1-ber.v1/.travis.yml | 0 vendor/gopkg.in/asn1-ber.v1/LICENSE | 0 vendor/gopkg.in/asn1-ber.v1/README.md | 0 vendor/gopkg.in/asn1-ber.v1/ber.go | 0 vendor/gopkg.in/asn1-ber.v1/content_int.go | 0 vendor/gopkg.in/asn1-ber.v1/header.go | 0 vendor/gopkg.in/asn1-ber.v1/identifier.go | 0 vendor/gopkg.in/asn1-ber.v1/length.go | 0 vendor/gopkg.in/asn1-ber.v1/util.go | 0 vendor/gopkg.in/gomail.v2/.travis.yml | 0 vendor/gopkg.in/gomail.v2/CHANGELOG.md | 0 vendor/gopkg.in/gomail.v2/CONTRIBUTING.md | 0 vendor/gopkg.in/gomail.v2/LICENSE | 0 vendor/gopkg.in/gomail.v2/README.md | 0 vendor/gopkg.in/gomail.v2/auth.go | 0 vendor/gopkg.in/gomail.v2/doc.go | 0 vendor/gopkg.in/gomail.v2/message.go | 0 vendor/gopkg.in/gomail.v2/mime.go | 0 vendor/gopkg.in/gomail.v2/mime_go14.go | 0 vendor/gopkg.in/gomail.v2/send.go | 0 vendor/gopkg.in/gomail.v2/smtp.go | 0 vendor/gopkg.in/gomail.v2/writeto.go | 0 vendor/gopkg.in/ini.v1/.gitignore | 0 vendor/gopkg.in/ini.v1/LICENSE | 0 vendor/gopkg.in/ini.v1/Makefile | 0 vendor/gopkg.in/ini.v1/README.md | 0 vendor/gopkg.in/ini.v1/codecov.yml | 0 vendor/gopkg.in/ini.v1/data_source.go | 0 vendor/gopkg.in/ini.v1/deprecated.go | 0 vendor/gopkg.in/ini.v1/error.go | 0 vendor/gopkg.in/ini.v1/file.go | 0 vendor/gopkg.in/ini.v1/helper.go | 0 vendor/gopkg.in/ini.v1/ini.go | 0 vendor/gopkg.in/ini.v1/key.go | 0 vendor/gopkg.in/ini.v1/parser.go | 0 vendor/gopkg.in/ini.v1/section.go | 0 vendor/gopkg.in/ini.v1/struct.go | 0 vendor/gopkg.in/ldap.v3/.gitignore | 0 vendor/gopkg.in/ldap.v3/.travis.yml | 0 vendor/gopkg.in/ldap.v3/CONTRIBUTING.md | 0 vendor/gopkg.in/ldap.v3/LICENSE | 0 vendor/gopkg.in/ldap.v3/Makefile | 0 vendor/gopkg.in/ldap.v3/README.md | 0 vendor/gopkg.in/ldap.v3/add.go | 0 vendor/gopkg.in/ldap.v3/bind.go | 0 vendor/gopkg.in/ldap.v3/client.go | 0 vendor/gopkg.in/ldap.v3/compare.go | 0 vendor/gopkg.in/ldap.v3/conn.go | 0 vendor/gopkg.in/ldap.v3/control.go | 0 vendor/gopkg.in/ldap.v3/debug.go | 0 vendor/gopkg.in/ldap.v3/del.go | 0 vendor/gopkg.in/ldap.v3/dn.go | 0 vendor/gopkg.in/ldap.v3/doc.go | 0 vendor/gopkg.in/ldap.v3/error.go | 0 vendor/gopkg.in/ldap.v3/filter.go | 0 vendor/gopkg.in/ldap.v3/ldap.go | 0 vendor/gopkg.in/ldap.v3/moddn.go | 0 vendor/gopkg.in/ldap.v3/modify.go | 0 vendor/gopkg.in/ldap.v3/passwdmodify.go | 0 vendor/gopkg.in/ldap.v3/search.go | 0 vendor/gopkg.in/macaron.v1/.gitignore | 0 vendor/gopkg.in/macaron.v1/LICENSE | 0 vendor/gopkg.in/macaron.v1/README.md | 0 vendor/gopkg.in/macaron.v1/codecov.yml | 0 vendor/gopkg.in/macaron.v1/context.go | 0 vendor/gopkg.in/macaron.v1/go.mod | 0 vendor/gopkg.in/macaron.v1/go.sum | 0 vendor/gopkg.in/macaron.v1/logger.go | 0 vendor/gopkg.in/macaron.v1/macaron.go | 0 vendor/gopkg.in/macaron.v1/macaronlogo.png | Bin vendor/gopkg.in/macaron.v1/recovery.go | 0 vendor/gopkg.in/macaron.v1/render.go | 0 vendor/gopkg.in/macaron.v1/response_writer.go | 0 vendor/gopkg.in/macaron.v1/return_handler.go | 0 vendor/gopkg.in/macaron.v1/router.go | 0 vendor/gopkg.in/macaron.v1/static.go | 0 vendor/gopkg.in/macaron.v1/tree.go | 0 vendor/gopkg.in/macaron.v1/util_go17.go | 0 vendor/gopkg.in/macaron.v1/util_go18.go | 0 vendor/gopkg.in/testfixtures.v2/.editorconfig | 0 vendor/gopkg.in/testfixtures.v2/.gitattributes | 0 vendor/gopkg.in/testfixtures.v2/.gitignore | 0 vendor/gopkg.in/testfixtures.v2/.sample.env | 0 vendor/gopkg.in/testfixtures.v2/.travis.yml | 0 vendor/gopkg.in/testfixtures.v2/LICENSE | 0 vendor/gopkg.in/testfixtures.v2/README.md | 0 vendor/gopkg.in/testfixtures.v2/Taskfile.yml | 0 vendor/gopkg.in/testfixtures.v2/appveyor.yml | 0 vendor/gopkg.in/testfixtures.v2/deprecated.go | 0 vendor/gopkg.in/testfixtures.v2/errors.go | 0 vendor/gopkg.in/testfixtures.v2/generate.go | 0 vendor/gopkg.in/testfixtures.v2/helper.go | 0 vendor/gopkg.in/testfixtures.v2/json.go | 0 vendor/gopkg.in/testfixtures.v2/mysql.go | 0 vendor/gopkg.in/testfixtures.v2/options.go | 0 vendor/gopkg.in/testfixtures.v2/oracle.go | 0 vendor/gopkg.in/testfixtures.v2/postgresql.go | 0 vendor/gopkg.in/testfixtures.v2/sqlite.go | 0 vendor/gopkg.in/testfixtures.v2/sqlserver.go | 0 vendor/gopkg.in/testfixtures.v2/testfixtures.go | 0 vendor/gopkg.in/testfixtures.v2/time.go | 0 vendor/gopkg.in/toqueteos/substring.v1/.gitignore | 0 vendor/gopkg.in/toqueteos/substring.v1/.travis.yml | 0 vendor/gopkg.in/toqueteos/substring.v1/LICENSE | 0 vendor/gopkg.in/toqueteos/substring.v1/README.md | 0 vendor/gopkg.in/toqueteos/substring.v1/bytes.go | 0 vendor/gopkg.in/toqueteos/substring.v1/lib.go | 0 vendor/gopkg.in/toqueteos/substring.v1/string.go | 0 vendor/gopkg.in/warnings.v0/LICENSE | 0 vendor/gopkg.in/warnings.v0/README | 0 vendor/gopkg.in/warnings.v0/warnings.go | 0 vendor/gopkg.in/yaml.v2/.travis.yml | 0 vendor/gopkg.in/yaml.v2/LICENSE | 0 vendor/gopkg.in/yaml.v2/LICENSE.libyaml | 0 vendor/gopkg.in/yaml.v2/NOTICE | 0 vendor/gopkg.in/yaml.v2/README.md | 0 vendor/gopkg.in/yaml.v2/apic.go | 0 vendor/gopkg.in/yaml.v2/decode.go | 0 vendor/gopkg.in/yaml.v2/emitterc.go | 0 vendor/gopkg.in/yaml.v2/encode.go | 0 vendor/gopkg.in/yaml.v2/go.mod | 0 vendor/gopkg.in/yaml.v2/parserc.go | 0 vendor/gopkg.in/yaml.v2/readerc.go | 0 vendor/gopkg.in/yaml.v2/resolve.go | 0 vendor/gopkg.in/yaml.v2/scannerc.go | 0 vendor/gopkg.in/yaml.v2/sorter.go | 0 vendor/gopkg.in/yaml.v2/writerc.go | 0 vendor/gopkg.in/yaml.v2/yaml.go | 0 vendor/gopkg.in/yaml.v2/yamlh.go | 0 vendor/gopkg.in/yaml.v2/yamlprivateh.go | 0 vendor/gopkg.in/yaml.v3/.travis.yml | 0 vendor/gopkg.in/yaml.v3/LICENSE | 0 vendor/gopkg.in/yaml.v3/NOTICE | 0 vendor/gopkg.in/yaml.v3/README.md | 0 vendor/gopkg.in/yaml.v3/apic.go | 0 vendor/gopkg.in/yaml.v3/decode.go | 0 vendor/gopkg.in/yaml.v3/emitterc.go | 0 vendor/gopkg.in/yaml.v3/encode.go | 0 vendor/gopkg.in/yaml.v3/go.mod | 0 vendor/gopkg.in/yaml.v3/parserc.go | 0 vendor/gopkg.in/yaml.v3/readerc.go | 0 vendor/gopkg.in/yaml.v3/resolve.go | 0 vendor/gopkg.in/yaml.v3/scannerc.go | 0 vendor/gopkg.in/yaml.v3/sorter.go | 0 vendor/gopkg.in/yaml.v3/writerc.go | 0 vendor/gopkg.in/yaml.v3/yaml.go | 0 vendor/gopkg.in/yaml.v3/yamlh.go | 0 vendor/gopkg.in/yaml.v3/yamlprivateh.go | 0 vendor/modules.txt | 6 +- vendor/mvdan.cc/xurls/v2/.gitignore | 0 vendor/mvdan.cc/xurls/v2/LICENSE | 0 vendor/mvdan.cc/xurls/v2/README.md | 0 vendor/mvdan.cc/xurls/v2/go.mod | 0 vendor/mvdan.cc/xurls/v2/go.sum | 0 vendor/mvdan.cc/xurls/v2/schemes.go | 0 vendor/mvdan.cc/xurls/v2/tlds.go | 0 vendor/mvdan.cc/xurls/v2/tlds_pseudo.go | 0 vendor/mvdan.cc/xurls/v2/xurls.go | 0 .../projects/go/libravatar/.editorconfig | 0 vendor/strk.kbt.io/projects/go/libravatar/LICENSE | 0 vendor/strk.kbt.io/projects/go/libravatar/Makefile | 0 .../strk.kbt.io/projects/go/libravatar/README.md | 0 .../projects/go/libravatar/libravatar.go | 0 vendor/xorm.io/builder/.drone.yml | 0 vendor/xorm.io/builder/.gitignore | 0 vendor/xorm.io/builder/LICENSE | 0 vendor/xorm.io/builder/README.md | 0 vendor/xorm.io/builder/builder.go | 0 vendor/xorm.io/builder/builder_delete.go | 0 vendor/xorm.io/builder/builder_insert.go | 0 vendor/xorm.io/builder/builder_join.go | 0 vendor/xorm.io/builder/builder_limit.go | 0 vendor/xorm.io/builder/builder_select.go | 0 vendor/xorm.io/builder/builder_set_operations.go | 0 vendor/xorm.io/builder/builder_update.go | 0 vendor/xorm.io/builder/cond.go | 0 vendor/xorm.io/builder/cond_and.go | 0 vendor/xorm.io/builder/cond_between.go | 0 vendor/xorm.io/builder/cond_compare.go | 0 vendor/xorm.io/builder/cond_eq.go | 0 vendor/xorm.io/builder/cond_expr.go | 0 vendor/xorm.io/builder/cond_if.go | 0 vendor/xorm.io/builder/cond_in.go | 0 vendor/xorm.io/builder/cond_like.go | 0 vendor/xorm.io/builder/cond_neq.go | 0 vendor/xorm.io/builder/cond_not.go | 0 vendor/xorm.io/builder/cond_notin.go | 0 vendor/xorm.io/builder/cond_null.go | 0 vendor/xorm.io/builder/cond_or.go | 0 vendor/xorm.io/builder/doc.go | 0 vendor/xorm.io/builder/error.go | 0 vendor/xorm.io/builder/go.mod | 0 vendor/xorm.io/builder/go.sum | 0 vendor/xorm.io/builder/sql.go | 0 vendor/xorm.io/builder/writer.go | 0 vendor/xorm.io/xorm/.changelog.yml | 0 vendor/xorm.io/xorm/.drone.yml | 0 vendor/xorm.io/xorm/.gitignore | 0 vendor/xorm.io/xorm/.revive.toml | 0 vendor/xorm.io/xorm/CHANGELOG.md | 0 vendor/xorm.io/xorm/CONTRIBUTING.md | 0 vendor/xorm.io/xorm/LICENSE | 0 vendor/xorm.io/xorm/Makefile | 0 vendor/xorm.io/xorm/README.md | 0 vendor/xorm.io/xorm/README_CN.md | 0 vendor/xorm.io/xorm/caches/cache.go | 0 vendor/xorm.io/xorm/caches/encode.go | 0 vendor/xorm.io/xorm/caches/leveldb.go | 0 vendor/xorm.io/xorm/caches/lru.go | 0 vendor/xorm.io/xorm/caches/manager.go | 0 vendor/xorm.io/xorm/caches/memory_store.go | 0 vendor/xorm.io/xorm/contexts/context_cache.go | 0 vendor/xorm.io/xorm/convert.go | 0 vendor/xorm.io/xorm/convert/conversion.go | 0 vendor/xorm.io/xorm/core/db.go | 0 vendor/xorm.io/xorm/core/error.go | 0 vendor/xorm.io/xorm/core/interface.go | 0 vendor/xorm.io/xorm/core/rows.go | 0 vendor/xorm.io/xorm/core/scan.go | 0 vendor/xorm.io/xorm/core/stmt.go | 0 vendor/xorm.io/xorm/core/tx.go | 0 vendor/xorm.io/xorm/dialects/dialect.go | 0 vendor/xorm.io/xorm/dialects/driver.go | 0 vendor/xorm.io/xorm/dialects/filter.go | 0 vendor/xorm.io/xorm/dialects/gen_reserved.sh | 0 vendor/xorm.io/xorm/dialects/mssql.go | 0 vendor/xorm.io/xorm/dialects/mysql.go | 0 vendor/xorm.io/xorm/dialects/oracle.go | 0 vendor/xorm.io/xorm/dialects/pg_reserved.txt | 0 vendor/xorm.io/xorm/dialects/postgres.go | 0 vendor/xorm.io/xorm/dialects/quote.go | 0 vendor/xorm.io/xorm/dialects/sqlite3.go | 0 vendor/xorm.io/xorm/dialects/table_name.go | 0 vendor/xorm.io/xorm/dialects/time.go | 0 vendor/xorm.io/xorm/doc.go | 0 vendor/xorm.io/xorm/engine.go | 0 vendor/xorm.io/xorm/engine_group.go | 0 vendor/xorm.io/xorm/engine_group_policy.go | 0 vendor/xorm.io/xorm/error.go | 0 vendor/xorm.io/xorm/go.mod | 0 vendor/xorm.io/xorm/go.sum | 0 vendor/xorm.io/xorm/interface.go | 0 vendor/xorm.io/xorm/internal/json/json.go | 0 vendor/xorm.io/xorm/internal/statements/cache.go | 0 .../xorm.io/xorm/internal/statements/column_map.go | 0 .../xorm.io/xorm/internal/statements/expr_param.go | 0 vendor/xorm.io/xorm/internal/statements/insert.go | 0 vendor/xorm.io/xorm/internal/statements/pk.go | 0 vendor/xorm.io/xorm/internal/statements/query.go | 0 .../xorm.io/xorm/internal/statements/statement.go | 0 .../xorm/internal/statements/statement_args.go | 0 vendor/xorm.io/xorm/internal/statements/update.go | 0 vendor/xorm.io/xorm/internal/statements/values.go | 0 vendor/xorm.io/xorm/internal/utils/name.go | 0 vendor/xorm.io/xorm/internal/utils/reflect.go | 0 vendor/xorm.io/xorm/internal/utils/slice.go | 0 vendor/xorm.io/xorm/internal/utils/sql.go | 0 vendor/xorm.io/xorm/internal/utils/strings.go | 0 vendor/xorm.io/xorm/internal/utils/zero.go | 0 vendor/xorm.io/xorm/log/logger.go | 0 vendor/xorm.io/xorm/log/logger_context.go | 0 vendor/xorm.io/xorm/log/syslogger.go | 0 vendor/xorm.io/xorm/names/mapper.go | 0 vendor/xorm.io/xorm/names/table_name.go | 0 vendor/xorm.io/xorm/processors.go | 0 vendor/xorm.io/xorm/rows.go | 0 vendor/xorm.io/xorm/schemas/column.go | 0 vendor/xorm.io/xorm/schemas/index.go | 0 vendor/xorm.io/xorm/schemas/pk.go | 0 vendor/xorm.io/xorm/schemas/quote.go | 0 vendor/xorm.io/xorm/schemas/table.go | 0 vendor/xorm.io/xorm/schemas/type.go | 0 vendor/xorm.io/xorm/session.go | 0 vendor/xorm.io/xorm/session_cols.go | 0 vendor/xorm.io/xorm/session_cond.go | 0 vendor/xorm.io/xorm/session_convert.go | 0 vendor/xorm.io/xorm/session_delete.go | 0 vendor/xorm.io/xorm/session_exist.go | 0 vendor/xorm.io/xorm/session_find.go | 0 vendor/xorm.io/xorm/session_get.go | 0 vendor/xorm.io/xorm/session_insert.go | 0 vendor/xorm.io/xorm/session_iterate.go | 0 vendor/xorm.io/xorm/session_query.go | 0 vendor/xorm.io/xorm/session_raw.go | 0 vendor/xorm.io/xorm/session_schema.go | 0 vendor/xorm.io/xorm/session_stats.go | 0 vendor/xorm.io/xorm/session_tx.go | 0 vendor/xorm.io/xorm/session_update.go | 0 vendor/xorm.io/xorm/tags/parser.go | 0 vendor/xorm.io/xorm/tags/tag.go | 0 vendor/xorm.io/xorm/xorm.go | 0 6285 files changed, 461 insertions(+), 1664 deletions(-) mode change 100755 => 100644 go.mod mode change 100755 => 100644 go.sum create mode 100755 models/schedule_record.go create mode 100644 modules/urfs_client/objectstorage/mocks/objectstorage_mock.go create mode 100755 modules/urfs_client/urchin/schedule.go mode change 100644 => 100755 vendor/cloud.google.com/go/LICENSE mode change 100644 => 100755 vendor/cloud.google.com/go/compute/metadata/metadata.go mode change 100644 => 100755 vendor/cloud.google.com/go/iam/iam.go mode change 100644 => 100755 vendor/cloud.google.com/go/internal/optional/optional.go mode change 100644 => 100755 vendor/cloud.google.com/go/internal/version/update_version.sh mode change 100644 => 100755 vendor/cloud.google.com/go/internal/version/version.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/README.md mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/README.md mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/doc.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/iam.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/path_funcs.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/publisher_client.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/apiv1/subscriber_client.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/debug.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/doc.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/flow_controller.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/internal/distribution/distribution.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/iterator.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/message.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/nodebug.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/pubsub.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/pullstream.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/service.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/snapshot.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/subscription.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/topic.go mode change 100644 => 100755 vendor/cloud.google.com/go/pubsub/trace.go mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/.gitignore mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/LICENSE mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/Makefile mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/README.md mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/checks/imports.go mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/checks/license.go mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/go.mod mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/go.sum mode change 100644 => 100755 vendor/gitea.com/jolheiser/gitea-vet/main.go mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/.drone.yml mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/.gitignore mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/LICENSE mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/README.md mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/error.go mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/go.mod mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/go.sum mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/queue.go mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/set.go mode change 100644 => 100755 vendor/gitea.com/lunny/levelqueue/uniquequeue.go mode change 100644 => 100755 vendor/gitea.com/macaron/binding/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/binding/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/binding/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/binding/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/binding/binding.go mode change 100644 => 100755 vendor/gitea.com/macaron/binding/errors.go mode change 100644 => 100755 vendor/gitea.com/macaron/binding/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/binding/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/cache/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/cache/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/cache/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/cache/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/cache/cache.go mode change 100644 => 100755 vendor/gitea.com/macaron/cache/file.go mode change 100644 => 100755 vendor/gitea.com/macaron/cache/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/cache/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/cache/memcache/memcache.go mode change 100644 => 100755 vendor/gitea.com/macaron/cache/memcache/memcache.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/cache/memory.go mode change 100644 => 100755 vendor/gitea.com/macaron/cache/redis/redis.go mode change 100644 => 100755 vendor/gitea.com/macaron/cache/redis/redis.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/cache/utils.go mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/captcha.go mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/image.go mode change 100644 => 100755 vendor/gitea.com/macaron/captcha/siprng.go mode change 100644 => 100755 vendor/gitea.com/macaron/cors/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/cors/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/cors/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/cors/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/cors/cors.go mode change 100644 => 100755 vendor/gitea.com/macaron/cors/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/cors/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/csrf.go mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/csrf/xsrf.go mode change 100644 => 100755 vendor/gitea.com/macaron/gzip/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/gzip/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/gzip/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/gzip/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/gzip/gzip.go mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/i18n/i18n.go mode change 100644 => 100755 vendor/gitea.com/macaron/inject/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/inject/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/inject/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/inject/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/inject/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/inject/inject.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/context.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/logger.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/macaron.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/macaronlogo.png mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/recovery.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/render.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/response_writer.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/return_handler.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/router.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/static.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/tree.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/util_go17.go mode change 100644 => 100755 vendor/gitea.com/macaron/macaron/util_go18.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/session/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/session/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/session/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/session/couchbase/couchbase.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/file.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/flash.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/session/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/session/memcache/memcache.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/memcache/memcache.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/session/memory.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/mysql/mysql.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/mysql/mysql.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/session/nodb/nodb.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/nodb/nodb.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/session/postgres/postgres.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/postgres/postgres.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/session/redis/redis.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/redis/redis.goconvey mode change 100644 => 100755 vendor/gitea.com/macaron/session/session.go mode change 100644 => 100755 vendor/gitea.com/macaron/session/utils.go mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/.drone.yml mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/.gitignore mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/LICENSE mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/README.md mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/go.mod mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/go.sum mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/healthcheck.go mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/profile.go mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/statistic.go mode change 100644 => 100755 vendor/gitea.com/macaron/toolbox/toolbox.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.gitignore mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/LICENSE mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/PULL_REQUEST_TEMPLATE.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README_zh.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/SECURITY.md mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/adjust.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/calcchain.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cell.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cellmerged.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/chart.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/codelingo.yaml mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/col.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/comment.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/datavalidation.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/date.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/docProps.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/errors.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.svg mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/file.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.mod mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.sum mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/hsl.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/lib.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/logo.png mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/picture.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/pivotTable.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/rows.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/shape.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheet.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetpr.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetview.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sparkline.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/styles.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/table.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/templates.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/vmlDrawing.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlApp.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCalcChain.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlChart.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlComments.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlContentTypes.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCore.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDecodeDrawing.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDrawing.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotCache.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotTable.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlSharedStrings.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlStyles.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTable.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTheme.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorkbook.go mode change 100644 => 100755 vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorksheet.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/.gitignore mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/.travis.yml mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/COMPATIBLE mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/COPYING mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/Makefile mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/README.md mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/decode.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/decode_meta.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/doc.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/encode.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/encoding_types.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/encoding_types_1.1.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/lex.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/parse.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/session.vim mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/type_check.go mode change 100644 => 100755 vendor/github.com/BurntSushi/toml/type_fields.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/.gitattributes mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/.gitignore mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/.travis.yml mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/LICENSE mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/README.md mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/array.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/doc.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/expand.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/filter.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/go.mod mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/go.sum mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/iteration.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/manipulation.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/property.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/query.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/traversal.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/type.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/goquery/utilities.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/purell/.gitignore mode change 100644 => 100755 vendor/github.com/PuerkitoBio/purell/.travis.yml mode change 100644 => 100755 vendor/github.com/PuerkitoBio/purell/LICENSE mode change 100644 => 100755 vendor/github.com/PuerkitoBio/purell/README.md mode change 100644 => 100755 vendor/github.com/PuerkitoBio/purell/purell.go mode change 100644 => 100755 vendor/github.com/PuerkitoBio/urlesc/.travis.yml mode change 100644 => 100755 vendor/github.com/PuerkitoBio/urlesc/LICENSE mode change 100644 => 100755 vendor/github.com/PuerkitoBio/urlesc/README.md mode change 100644 => 100755 vendor/github.com/PuerkitoBio/urlesc/urlesc.go mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/.gitignore mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/.travis.yml mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/LICENSE mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/Makefile mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/README.md mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/coloured_formatter.go mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/default_formatter.go mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/formatter_interface.go mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/go.mod mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/go.sum mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/gometalinter.json mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/interface.go mode change 100644 => 100755 vendor/github.com/RichardKnop/logging/logger.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/LICENSE mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/amqp/amqp.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/dynamodb/dynamodb.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/eager/eager.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/iface/interfaces.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/memcache/memcache.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/mongo/mongodb.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/null/null.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/redis/redis.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/backends/result/async_result.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/amqp/amqp.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/eager/eager.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/errs/errors.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/gcppubsub/gcp_pubsub.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/iface/interfaces.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/redis/redis.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/brokers/sqs/sqs.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/common/amqp.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/common/backend.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/common/broker.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/common/redis.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/config/config.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/config/env.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/config/file.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/config/test.env mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/config/testconfig.yml mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/factories.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/log/log.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/package.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/retry/fibonacci.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/retry/retry.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/server.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/errors.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/reflect.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/result.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/signature.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/state.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/task.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/validate.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tasks/workflow.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/tracing/tracing.go mode change 100644 => 100755 vendor/github.com/RichardKnop/machinery/v1/worker.go mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/.gitlab-ci.yml mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/LICENSE mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/README.md mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/VERSION mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/doc.go mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/error.go mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/mutex.go mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/redis.go mode change 100644 => 100755 vendor/github.com/RichardKnop/redsync/redsync.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/.drone.yml mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/.gitignore mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/.gitmodules mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/.travis.yml mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/AUTHORS mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/LICENSE mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/LICENSE-2.0.txt mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/Makefile mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/README.md mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/arraycontainer.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/arraycontainer_gen.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/bitmapcontainer.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/bitmapcontainer_gen.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/byte_input.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/clz.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/clz_compat.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/ctz.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/ctz_compat.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/fastaggregation.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/go.mod mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/go.sum mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/manyiterator.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/parallel.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt_amd64.s mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt_asm.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt_compat.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt_generic.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/popcnt_slices.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/priorityqueue.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/roaring.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/roaringarray.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/roaringarray_gen.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/runcontainer.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/runcontainer_gen.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/serialization.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/serialization_generic.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/serialization_littleendian.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/serializationfuzz.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/setutil.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/shortiterator.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/smat.go mode change 100644 => 100755 vendor/github.com/RoaringBitmap/roaring/util.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/.gitignore mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/.golangci.yml mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/.goreleaser.yml mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/COPYING mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/Makefile mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/README.md mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/coalesce.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/colour.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/delegate.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/doc.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/formatter.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/formatters/html/html.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/go.mod mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/go.sum mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/iterator.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexer.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/README.md mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/abap.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/abnf.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/actionscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/actionscript3.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/ada.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/al.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/angular2.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/antlr.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/apache.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/apl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/applescript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/arduino.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/armasm.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/a/awk.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/ballerina.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/bash.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/bashsession.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/batch.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/bibtex.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/bicep.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/blitz.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/bnf.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/b/brainfuck.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/c.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/caddyfile.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/capnproto.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/ceylon.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cfengine3.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/chaiscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cheetah.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/clojure.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cmake.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cobol.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/coffee.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/coldfusion.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/coq.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cpp.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/crystal.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/csharp.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/css.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/c/cython.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/circular/doc.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/circular/php.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/circular/phtml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/d.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/dart.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/diff.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/django.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/docker.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/dtd.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/d/dylan.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/e/ebnf.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/e/elixir.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/e/elm.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/e/emacs.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/e/erlang.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/factor.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/fennel.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/fish.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/forth.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/fortran.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/fortran_fixed.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/f/fsharp.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/gas.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/gdscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/genshi.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/gherkin.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/glsl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/gnuplot.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/go.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/graphql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/groff.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/g/groovy.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/handlebars.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/haskell.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/haxe.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/hcl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/hexdump.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/hlb.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/html.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/http.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/h/hy.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/i/idris.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/i/igor.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/i/ini.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/i/io.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/internal/api.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/j.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/java.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/javascript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/json.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/jsx.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/julia.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/j/jungle.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/k/kotlin.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/l/lighttpd.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/l/llvm.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/l/lua.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/lexers.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/make.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mako.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/markdown.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mason.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mathematica.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/matlab.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mcfunction.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/meson.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/metal.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/minizinc.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mlir.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/modula2.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/monkeyc.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mwscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/myghty.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/m/mysql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/n/nasm.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/n/newspeak.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/n/nginx.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/n/nim.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/n/nix.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/objectivec.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/ocaml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/octave.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/onesenterprise.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/openedgeabl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/openscad.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/o/org.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/pacman.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/perl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/pig.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/pkgconfig.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/plaintext.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/plsql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/plutus_core.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/pony.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/postgres.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/postscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/povray.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/powerquery.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/powershell.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/prolog.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/promql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/protobuf.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/puppet.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/python.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/p/python2.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/q/qbasic.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/q/qml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/r.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/racket.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/ragel.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/raku.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/reasonml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/regedit.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/rexx.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/rst.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/ruby.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/r/rust.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sas.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sass.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/scala.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/scheme.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/scilab.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/scss.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sieve.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/smalltalk.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/smarty.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/snobol.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/solidity.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sparql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/sql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/squid.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/stylus.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/svelte.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/swift.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/systemd.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/s/systemverilog.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tablegen.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tasm.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tcl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tcsh.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/termcap.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/terminfo.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/terraform.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tex.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/thrift.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/toml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/tradingview.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/transactsql.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/turing.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/turtle.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/twig.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/typescript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/t/typoscript.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/v/vb.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/v/verilog.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/v/vhdl.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/v/vim.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/v/vue.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/w/wdte.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/x/xml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/x/xorg.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/y/yaml.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/y/yang.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/z/zed.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/lexers/z/zig.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/mutators.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/pygments-lexers.txt mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/regexp.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/remap.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/style.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/abap.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/algol.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/algol_nu.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/api.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/arduino.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/autumn.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/base16-snazzy.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/borland.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/bw.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/colorful.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/doom-one.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/doom-one2.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/dracula.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/emacs.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/friendly.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/fruity.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/github.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/hr_dark.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/hr_high_contrast.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/igor.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/lovelace.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/manni.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/monokai.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/monokailight.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/murphy.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/native.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/nord.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/onesenterprise.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/paraiso-dark.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/paraiso-light.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/pastie.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/perldoc.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/pygments.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/rainbow_dash.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/rrt.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/solarized-dark.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/solarized-dark256.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/solarized-light.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/swapoff.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/tango.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/trac.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/vim.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/vs.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/vulcan.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/witchhazel.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/xcode-dark.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/styles/xcode.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/table.py mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/tokentype_string.go mode change 100644 => 100755 vendor/github.com/alecthomas/chroma/types.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/LICENSE mode change 100644 => 100755 vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/client/client.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/darabonba-openapi/LICENSE mode change 100644 => 100755 vendor/github.com/alibabacloud-go/darabonba-openapi/client/client.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/debug/LICENSE mode change 100644 => 100755 vendor/github.com/alibabacloud-go/debug/debug/assert.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/debug/debug/debug.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/dysmsapi-20170525/v2/client/client.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/endpoint-util/service/service.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/openapi-util/LICENSE mode change 100644 => 100755 vendor/github.com/alibabacloud-go/openapi-util/service/service.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea-utils/service/service.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea-utils/service/util.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea-xml/service/service.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/LICENSE mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/tea/json_parser.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/tea/tea.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/tea/trans.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/utils/assert.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/utils/logger.go mode change 100644 => 100755 vendor/github.com/alibabacloud-go/tea/utils/progress.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/LICENSE mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/access_key_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/bearer_token_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/credential_updater.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/ecs_ram_role.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/env_provider.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/instance_provider.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/profile_provider.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/provider.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/provider_chain.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/request/common_request.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/response/common_response.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/rsa_key_pair_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/session_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/sts_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/sts_role_arn_credential.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/utils/runtime.go mode change 100644 => 100755 vendor/github.com/aliyun/credentials-go/credentials/utils/utils.go mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/.travis.yml mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/LICENSE mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/README.md mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/go.mod mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/parser.go mode change 100644 => 100755 vendor/github.com/andybalholm/cascadia/selector.go mode change 100644 => 100755 vendor/github.com/anmitsu/go-shlex/.gitignore mode change 100644 => 100755 vendor/github.com/anmitsu/go-shlex/LICENSE mode change 100644 => 100755 vendor/github.com/anmitsu/go-shlex/README.md mode change 100644 => 100755 vendor/github.com/anmitsu/go-shlex/shlex.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/.travis.yml mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/LICENSE mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/README.md mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/arrays.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/converter.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/error.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/numerics.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/patterns.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/types.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/utils.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/validator.go mode change 100644 => 100755 vendor/github.com/asaskevich/govalidator/wercker.yml mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/LICENSE.txt mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/NOTICE.txt mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awserr/error.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awserr/types.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awsutil/copy.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awsutil/equal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awsutil/path_value.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awsutil/prettify.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/awsutil/string_value.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/client/client.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/client/default_retryer.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/client/logger.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/client/metadata/client_info.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/client/no_op_retryer.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/config.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/context_1_5.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/context_1_9.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/context_background_1_5.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/context_background_1_7.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/context_sleep.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/convert_types.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/corehandlers/handlers.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/corehandlers/param_validator.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/corehandlers/user_agent.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/chain_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/credentials.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/ec2rolecreds/ec2_role_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/endpointcreds/provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/env_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/example.ini mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/processcreds/provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/shared_credentials_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/static_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/assume_role_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/web_identity_provider.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/crr/cache.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/crr/endpoint.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map_1_8.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/enable.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/metric.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/metric_chan.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/metric_exception.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/csm/reporter.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/defaults/defaults.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/defaults/shared_config.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/api.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/service.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/decode.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/defaults.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/dep_service_ids.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/endpoints.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/sts_legacy_regions.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model_codegen.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/errors.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/jsonvalue.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/logger.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/connection_reset_error.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/handlers.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/http_request.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/offset_reader.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request_1_7.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request_1_8.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request_context.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request_context_1_6.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/request_pagination.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/retryer.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/timeout_read_closer.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/validation.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/request/waiter.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_5.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_6.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/credentials.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/env_config.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/session.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/session/shared_config.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/signer/v4/header_rules.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/signer/v4/options.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/signer/v4/uri_path.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/signer/v4/v4.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/types.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/url.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/url_1_7.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/aws/version.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/ast.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/comma_token.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/comment_token.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/empty_token.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/expression.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/fuzz.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/ini.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/ini_lexer.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/ini_parser.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/literal_tokens.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/newline_token.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/number_helper.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/op_tokens.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/parse_error.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/parse_stack.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/sep_tokens.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/skipper.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/statement.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/value_util.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/visitor.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/walker.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/ini/ws_token.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkio/byte.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.6.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.7.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor_go1.9.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkrand/locked_source.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read_1_5.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/sdkuri/path.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/ecs_container.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/shared_config.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/host.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/host_prefix.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/idempotency.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/build.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/unmarshal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/jsonrpc/jsonrpc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/jsonvalue.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/payload.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/query/build.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/query/queryutil/queryutil.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal_error.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/rest/build.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/rest/payload.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/rest/unmarshal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/timestamp.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/unmarshal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/build.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/sort.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/unmarshal.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/xml_to_struct.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/api.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/customizations.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc_custom.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/converter.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/decode.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/encode.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/field.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/tag.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbiface/interface.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/errors.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/service.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/dynamodb/waiters.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/api.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/checksums.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/customizations.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/errors.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/service.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sqs/sqsiface/interface.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/api.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/customizations.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/doc.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/errors.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/service.go mode change 100644 => 100755 vendor/github.com/aws/aws-sdk-go/service/sts/stsiface/interface.go mode change 100644 => 100755 vendor/github.com/aymerick/douceur/LICENSE mode change 100644 => 100755 vendor/github.com/aymerick/douceur/css/declaration.go mode change 100644 => 100755 vendor/github.com/aymerick/douceur/css/rule.go mode change 100644 => 100755 vendor/github.com/aymerick/douceur/css/stylesheet.go mode change 100644 => 100755 vendor/github.com/beorn7/perks/LICENSE mode change 100644 => 100755 vendor/github.com/beorn7/perks/quantile/exampledata.txt mode change 100644 => 100755 vendor/github.com/beorn7/perks/quantile/stream.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/.travis.yml mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/analyzer/custom/custom.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/analyzer/keyword/keyword.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/analyzer/standard/standard.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/datetime/flexible/flexible.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/datetime/optional/optional.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/freq.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/lang/en/analyzer_en.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/lang/en/possessive_filter_en.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/lang/en/stemmer_en_snowball.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_filter_en.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_words_en.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/test_words.txt mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/token/lowercase/lowercase.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/token/porter/porter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/token/stop/stop.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/token/unicodenorm/unicodenorm.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/tokenizer/single/single.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/tokenizer/unicode/unicode.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/tokenmap.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/type.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/analysis/util.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/config.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/config_app.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/config_disk.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/doc.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/document.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_boolean.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_composite.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_datetime.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_geopoint.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_numeric.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/field_text.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/document/indexing_options.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/error.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/geo.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/geo_dist.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/geohash.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/parse.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/geo/sloppy.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/analysis.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/field_cache.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/index.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/event.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/introducer.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/merge.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/merge_plan.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/sort.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/optimize.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/persister.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/scorch.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/empty.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/int.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/plugin.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/regexp.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/segment.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment/unadorned.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/segment_plugin.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_dict.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_doc.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_tfr.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_rollback.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/snapshot_segment.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/scorch/stats.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/batch.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/boltdb/iterator.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/boltdb/reader.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/boltdb/stats.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/boltdb/store.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/boltdb/writer.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/gtreap/iterator.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/gtreap/reader.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/gtreap/store.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/gtreap/writer.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/kvstore.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/merge.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/store/multiget.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/analysis.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/benchmark_all.sh mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/dump.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/field_dict.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/index_reader.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/reader.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/row.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/row_merge.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/stats.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.pb.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.proto mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index_alias.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index_alias_impl.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index_impl.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index_meta.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/index_stats.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/analysis.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/document.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/field.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/index.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/mapping.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/mapping/reflect.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/numeric/bin.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/numeric/float.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/numeric/prefix_coded.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/query.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/analyzer.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/cache.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/char_filter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/datetime_parser.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/fragment_formatter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/fragmenter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/highlighter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/index_type.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/registry.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/store.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/token_filter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/token_maps.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/registry/tokenizer.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/collector.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/collector/heap.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/collector/list.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/collector/slice.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/collector/topn.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/explanation.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/facet/benchmark_data.txt mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/facet/facet_builder_datetime.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/facet/facet_builder_numeric.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/facet/facet_builder_terms.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/facets_builder.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/format/html/html.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/fragmenter/simple/simple.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/highlighter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/highlighter/html/html.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/fragment_scorer_simple.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/highlighter_simple.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/highlight/term_locations.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/levenshtein.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/pool.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/bool_field.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/boolean.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/boost.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/conjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/date_range.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/disjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/docid.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/fuzzy.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/geo_boundingbox.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/geo_boundingpolygon.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/geo_distance.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/match.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/match_all.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/match_none.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/match_phrase.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/multi_phrase.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/numeric_range.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/phrase.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/prefix.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query_string.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query_string.y mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query_string.y.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query_string_lex.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/query_string_parser.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/regexp.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/term.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/term_range.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/query/wildcard.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/scorer/scorer_conjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/scorer/scorer_constant.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/scorer/scorer_disjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/scorer/scorer_term.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/scorer/sqrt_cache.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/search.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/ordered_searchers_list.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_boolean.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_conjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_heap.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_slice.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_docid.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_filter.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_fuzzy.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_geoboundingbox.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_geopointdistance.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_geopolygon.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_match_all.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_match_none.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_multi_term.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_numeric_range.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_phrase.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_regexp.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_term.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_term_prefix.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/searcher/search_term_range.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/sort.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/search/util.go mode change 100644 => 100755 vendor/github.com/blevesearch/bleve/size/sizes.go mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/.travis.yml mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/go-porterstemmer/porterstemmer.go mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/.travis.yml mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/go.sum mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/mmap.go mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/mmap_unix.go mode change 100644 => 100755 vendor/github.com/blevesearch/mmap-go/mmap_windows.go mode change 100644 => 100755 vendor/github.com/blevesearch/segment/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/segment/.travis.yml mode change 100644 => 100755 vendor/github.com/blevesearch/segment/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/segment/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/segment/doc.go mode change 100644 => 100755 vendor/github.com/blevesearch/segment/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/segment/segment.go mode change 100644 => 100755 vendor/github.com/blevesearch/segment/segment_fuzz.go mode change 100644 => 100755 vendor/github.com/blevesearch/segment/segment_words.go mode change 100644 => 100755 vendor/github.com/blevesearch/segment/segment_words.rl mode change 100644 => 100755 vendor/github.com/blevesearch/segment/segment_words_prod.go mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/COPYING mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/among.go mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/english/english_stemmer.go mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/env.go mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/gen.go mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/snowballstem/util.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/build.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/contentcoder.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/count.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/dict.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/docvalues.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/enumerator.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/intcoder.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/merge.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/new.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/plugin.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/posting.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/read.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/segment.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/write.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v11/zap.md mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/.gitignore mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/LICENSE mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/README.md mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/build.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/chunk.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/contentcoder.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/count.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/dict.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/docvalues.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/enumerator.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/go.mod mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/intDecoder.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/intcoder.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/merge.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/new.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/plugin.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/posting.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/read.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/segment.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/write.go mode change 100644 => 100755 vendor/github.com/blevesearch/zap/v12/zap.md mode change 100644 => 100755 vendor/github.com/boombuler/barcode/.gitignore mode change 100644 => 100755 vendor/github.com/boombuler/barcode/LICENSE mode change 100644 => 100755 vendor/github.com/boombuler/barcode/README.md mode change 100644 => 100755 vendor/github.com/boombuler/barcode/barcode.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/go.mod mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/alphanumeric.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/automatic.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/blocks.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/encoder.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/errorcorrection.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/numeric.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/qrcode.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/unicode.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/qr/versioninfo.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/scaledbarcode.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/base1dcode.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/bitlist.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/galoisfield.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/gfpoly.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/reedsolomon.go mode change 100644 => 100755 vendor/github.com/boombuler/barcode/utils/runeint.go mode change 100644 => 100755 vendor/github.com/bradfitz/gomemcache/LICENSE mode change 100644 => 100755 vendor/github.com/bradfitz/gomemcache/memcache/memcache.go mode change 100644 => 100755 vendor/github.com/bradfitz/gomemcache/memcache/selector.go mode change 100644 => 100755 vendor/github.com/chris-ramon/douceur/LICENSE mode change 100644 => 100755 vendor/github.com/chris-ramon/douceur/parser/parser.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/LICENSE mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/anyxml.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/atomFeedString.xml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/doc.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/escapechars.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/exists.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test.badjson mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test.badxml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test.json mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test.xml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test_dup.json mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test_dup.xml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test_indent.json mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/files_test_indent.xml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/go.mod mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/gob.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/json.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/keyvalues.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/leafnode.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/misc.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/mxj.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/newmap.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/readme.md mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/remove.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/rename.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/set.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/setfieldsep.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/songtext.xml mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/strict.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/struct.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/updatevalues.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/xml.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/xmlseq.go mode change 100644 => 100755 vendor/github.com/clbanning/mxj/v2/xmlseq2.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/.gitignore mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/LICENSE mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/README.markdown mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/collections_filter.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/mc.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/tap_feed.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/transport.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/upr_event.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/client/upr_feed.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/flexibleFraming.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/mc_constants.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/mc_req.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/mc_res.go mode change 100644 => 100755 vendor/github.com/couchbase/gomemcached/tap.go mode change 100644 => 100755 vendor/github.com/couchbase/goutils/LICENSE.md mode change 100644 => 100755 vendor/github.com/couchbase/goutils/logging/logger.go mode change 100644 => 100755 vendor/github.com/couchbase/goutils/logging/logger_golog.go mode change 100644 => 100755 vendor/github.com/couchbase/goutils/scramsha/scramsha.go mode change 100644 => 100755 vendor/github.com/couchbase/goutils/scramsha/scramsha_http.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/.travis.yml mode change 100644 => 100755 vendor/github.com/couchbase/vellum/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/couchbase/vellum/LICENSE mode change 100644 => 100755 vendor/github.com/couchbase/vellum/README.md mode change 100644 => 100755 vendor/github.com/couchbase/vellum/automaton.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/builder.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/common.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/decoder_v1.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/encoder_v1.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/encoding.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/fst.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/fst_iterator.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/go.mod mode change 100644 => 100755 vendor/github.com/couchbase/vellum/go.sum mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/LICENSE mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/README.md mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/alphabet.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/dfa.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/levenshtein.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/levenshtein_nfa.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/levenshtein/parametric_dfa.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/merge_iterator.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/pack.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/regexp/compile.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/regexp/dfa.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/regexp/inst.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/regexp/regexp.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/regexp/sparse.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/registry.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/transducer.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/utf8/utf8.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/vellum.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/vellum_mmap.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/vellum_nommap.go mode change 100644 => 100755 vendor/github.com/couchbase/vellum/writer.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/.gitignore mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/.travis.yml mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/LICENSE mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/README.markdown mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/audit.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/client.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/conn_pool.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/ddocs.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/observe.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/pools.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/port_map.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/streaming.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/tap.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/upr.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/users.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/util.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/vbmap.go mode change 100644 => 100755 vendor/github.com/couchbaselabs/go-couchbase/views.go mode change 100644 => 100755 vendor/github.com/cpuguy83/go-md2man/v2/LICENSE.md mode change 100644 => 100755 vendor/github.com/cpuguy83/go-md2man/v2/md2man/md2man.go mode change 100644 => 100755 vendor/github.com/cpuguy83/go-md2man/v2/md2man/roff.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/LICENSE mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/bypass.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/bypasssafe.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/common.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/config.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/doc.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/dump.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/format.go mode change 100644 => 100755 vendor/github.com/davecgh/go-spew/spew/spew.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/LICENSE.txt mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/README.md mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/accesstokenconnector.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/appveyor.yml mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/buf.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/bulkcopy.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/bulkcopy_sql.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/conn_str.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/convert.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/doc.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/error.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/go.mod mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/go.sum mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/charset.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/collation.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1250.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1251.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1252.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1253.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1254.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1255.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1256.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1257.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1258.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp437.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp850.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp874.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp932.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp936.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp949.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp950.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/decimal/decimal.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/internal/querytext/parser.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/log.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/mssql.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/mssql_go110.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/mssql_go110pre.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/mssql_go19.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/mssql_go19pre.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/net.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/ntlm.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/rpc.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/sspi_windows.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/tds.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/token.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/token_string.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/tran.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/tvp_go19.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/types.go mode change 100644 => 100755 vendor/github.com/denisenkom/go-mssqldb/uniqueidentifier.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/.gitignore mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/.travis.yml mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/LICENSE mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/MIGRATION_GUIDE.md mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/README.md mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/VERSION_HISTORY.md mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/claims.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/doc.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/ecdsa.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/ecdsa_utils.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/errors.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/hmac.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/map_claims.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/none.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/parser.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/rsa.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/rsa_pss.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/rsa_utils.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/signing_method.go mode change 100644 => 100755 vendor/github.com/dgrijalva/jwt-go/token.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/.travis.yml mode change 100644 => 100755 vendor/github.com/disintegration/imaging/LICENSE mode change 100644 => 100755 vendor/github.com/disintegration/imaging/README.md mode change 100644 => 100755 vendor/github.com/disintegration/imaging/adjust.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/convolution.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/doc.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/effects.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/go.mod mode change 100644 => 100755 vendor/github.com/disintegration/imaging/go.sum mode change 100644 => 100755 vendor/github.com/disintegration/imaging/histogram.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/io.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/resize.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/scanner.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/tools.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/transform.go mode change 100644 => 100755 vendor/github.com/disintegration/imaging/utils.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/.gitignore mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/.travis.yml mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/ATTRIB mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/LICENSE mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/README.md mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/match.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/regexp.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/replace.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/runner.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/charclass.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/code.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/escape.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/fuzz.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/parser.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/prefix.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/replacerdata.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/tree.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/syntax/writer.go mode change 100644 => 100755 vendor/github.com/dlclark/regexp2/testoutput1 mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/.travis.yml mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/LICENSE mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/README.markdown mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/big.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/bigbytes.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/bytes.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/comma.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/commaf.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/ftoa.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/humanize.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/number.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/ordinals.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/si.go mode change 100644 => 100755 vendor/github.com/dustin/go-humanize/times.go mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/.editorconfig mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitattributes mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitignore mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitmodules mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/CMakeLists.txt mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/LICENSE mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/Makefile mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/README.md mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/editorconfig.go mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/fnmatch.go mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/go.mod mode change 100644 => 100755 vendor/github.com/editorconfig/editorconfig-core-go/v2/go.sum mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/.editorconfig mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/.gitignore mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/.travis.yml mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/LICENSE mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/README.md mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/element.go mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/go.mod mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/go.sum mode change 100644 => 100755 vendor/github.com/elliotchance/orderedmap/orderedmap.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/LICENSE mode change 100644 => 100755 vendor/github.com/emirpasic/gods/containers/containers.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/containers/enumerable.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/containers/iterator.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/containers/serialization.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/lists/arraylist/arraylist.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/lists/arraylist/enumerable.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/lists/arraylist/iterator.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/lists/arraylist/serialization.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/lists/lists.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/trees/binaryheap/binaryheap.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/trees/binaryheap/iterator.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/trees/binaryheap/serialization.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/trees/trees.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/utils/comparator.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/utils/sort.go mode change 100644 => 100755 vendor/github.com/emirpasic/gods/utils/utils.go mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/.gitignore mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/.travis.yml mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/Gopkg.lock mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/Gopkg.toml mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/LICENSE mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/README.md mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/flushing_batch.go mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/metadata.go mode change 100644 => 100755 vendor/github.com/ethantkoenig/rupture/sharded_index.go mode change 100644 => 100755 vendor/github.com/fatih/color/LICENSE.md mode change 100644 => 100755 vendor/github.com/fatih/color/README.md mode change 100644 => 100755 vendor/github.com/fatih/color/color.go mode change 100644 => 100755 vendor/github.com/fatih/color/doc.go mode change 100644 => 100755 vendor/github.com/fatih/color/go.mod mode change 100644 => 100755 vendor/github.com/fatih/color/go.sum mode change 100644 => 100755 vendor/github.com/fatih/structtag/LICENSE mode change 100644 => 100755 vendor/github.com/fatih/structtag/README.md mode change 100644 => 100755 vendor/github.com/fatih/structtag/go.mod mode change 100644 => 100755 vendor/github.com/fatih/structtag/tags.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/.editorconfig mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/.gitignore mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/.travis.yml mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/AUTHORS mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/LICENSE mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/README.md mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/fen.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/fsnotify.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/inotify.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/inotify_poller.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/kqueue.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/open_mode_bsd.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/open_mode_darwin.go mode change 100644 => 100755 vendor/github.com/fsnotify/fsnotify/windows.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/LICENSE mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/README.md mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/agent.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/circle.yml mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/conn.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/context.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/doc.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/options.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/server.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/session.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/ssh.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/tcpip.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/util.go mode change 100644 => 100755 vendor/github.com/gliderlabs/ssh/wrap.go mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/.gitignore mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/LICENSE mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/README.md mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/binary.dat mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/binary.dat.snappy mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/rbuf.go mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/snap.go mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/unenc.txt mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/unenc.txt.snappy mode change 100644 => 100755 vendor/github.com/glycerine/go-unsnap-stream/unsnap.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/.gitignore mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/LICENSE mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/Makefile mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/README.md mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/classifier.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/common.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/alias.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/colors.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/commit.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/content.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/doc.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/documentation.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/extension.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/filename.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/frequencies.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/groups.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/heuristics.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/interpreter.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/mimeType.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/rule/rule.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/type.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/data/vendor.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/enry.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/go.mod mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/go.sum mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/common.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.c mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.h mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/linguist.h mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/tokenize_c.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize_c.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/regex/oniguruma.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/regex/standard.go mode change 100644 => 100755 vendor/github.com/go-enry/go-enry/v2/utils.go mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/LICENSE mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/README.md mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/chelper.c mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/chelper.h mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/constants.go mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/go.mod mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/quotemeta.go mode change 100644 => 100755 vendor/github.com/go-enry/go-oniguruma/regex.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/LICENSE mode change 100644 => 100755 vendor/github.com/go-git/gcfg/README mode change 100644 => 100755 vendor/github.com/go-git/gcfg/doc.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/errors.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/go1_0.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/go1_2.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/read.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/scanner/errors.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/scanner/scanner.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/set.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/token/position.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/token/serialize.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/token/token.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/types/bool.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/types/doc.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/types/enum.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/types/int.go mode change 100644 => 100755 vendor/github.com/go-git/gcfg/types/scan.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/.gitignore mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/LICENSE mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/README.md mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/fs.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/go.mod mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/go.sum mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/helper/chroot/chroot.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/helper/polyfill/polyfill.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/osfs/os.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/osfs/os_plan9.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/osfs/os_posix.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/osfs/os_windows.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/util/glob.go mode change 100644 => 100755 vendor/github.com/go-git/go-billy/v5/util/util.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/.gitignore mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/COMPATIBILITY.md mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/LICENSE mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/Makefile mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/README.md mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/blame.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/config/branch.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/config/config.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/config/modules.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/config/refspec.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/go.mod mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/go.sum mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/internal/revision/parser.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/internal/revision/scanner.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/internal/revision/token.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/internal/url/url.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/object_walker.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/options.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/cache/buffer_lru.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/cache/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/cache/object_lru.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/error.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/filemode/filemode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/commitgraph.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/file.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/memory.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/decoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/option.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/config/section.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/diff/patch.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/diff/unified_encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/dir.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/matcher.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/pattern.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/decoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/idxfile.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/writer.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/index/decoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/index/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/index/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/index/index.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/index/match.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/reader.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/writer.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_index.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_selector.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/diff_delta.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/error.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/fsobject.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/object_pack.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/packfile.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/parser.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/patch_delta.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/scanner.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/encoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/scanner.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/hash.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/memory.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/blob.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/change.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/change_adaptor.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs_filtered.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_ctime.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_limit.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_path.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_graph.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_object.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_walker_ctime.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/difftree.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/file.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/merge_base.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/object.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/patch.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/tag.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/tree.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/object/treenoder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_decode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_encode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/capability.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/list.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/report_status.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/shallowupd.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/demux.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/muxer.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/srvresp.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_decode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_encode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_decode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_encode.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackreq.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackresp.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/reference.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/revision.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/revlist/revlist.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/index.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/object.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/reference.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/shallow.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/storer/storer.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/client/client.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/file/client.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/file/server.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/git/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/http/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/http/receive_pack.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/http/upload_pack.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/server.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/server/loader.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/server/server.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/auth_method.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/prune.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/references.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/remote.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/repository.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/status.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/config.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/deltaobject.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_rewrite_packed_refs.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_setref.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/writers.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/index.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/module.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/object.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/reference.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/shallow.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/filesystem/storage.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/memory/storage.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/storage/storer.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/submodule.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/binary/read.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/binary/write.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/diff/diff.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/ioutil/common.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/change.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/difftree.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/doc.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/doubleiter.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/filesystem/node.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/index/node.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/internal/frame/frame.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/iter.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/noder.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/path.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_bsd.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_commit.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_linux.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_plan9.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_status.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_unix_other.go mode change 100644 => 100755 vendor/github.com/go-git/go-git/v5/worktree_windows.go rename vendor/github.com/{robfig/cron/v3 => go-http-utils/headers}/.gitignore (94%) mode change 100644 => 100755 create mode 100755 vendor/github.com/go-http-utils/headers/.travis.yml create mode 100755 vendor/github.com/go-http-utils/headers/LICENSE create mode 100755 vendor/github.com/go-http-utils/headers/README.md create mode 100755 vendor/github.com/go-http-utils/headers/headers.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/.gitignore mode change 100644 => 100755 vendor/github.com/go-ini/ini/LICENSE mode change 100644 => 100755 vendor/github.com/go-ini/ini/Makefile mode change 100644 => 100755 vendor/github.com/go-ini/ini/README.md mode change 100644 => 100755 vendor/github.com/go-ini/ini/codecov.yml mode change 100644 => 100755 vendor/github.com/go-ini/ini/data_source.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/deprecated.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/error.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/file.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/helper.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/ini.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/key.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/parser.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/section.go mode change 100644 => 100755 vendor/github.com/go-ini/ini/struct.go mode change 100644 => 100755 vendor/github.com/go-macaron/auth/LICENSE mode change 100644 => 100755 vendor/github.com/go-macaron/auth/README.md mode change 100644 => 100755 vendor/github.com/go-macaron/auth/basic.go mode change 100644 => 100755 vendor/github.com/go-macaron/auth/bearer.go mode change 100644 => 100755 vendor/github.com/go-macaron/auth/util.go mode change 100644 => 100755 vendor/github.com/go-macaron/auth/wercker.yml mode change 100644 => 100755 vendor/github.com/go-macaron/inject/.travis.yml mode change 100644 => 100755 vendor/github.com/go-macaron/inject/LICENSE mode change 100644 => 100755 vendor/github.com/go-macaron/inject/README.md mode change 100644 => 100755 vendor/github.com/go-macaron/inject/inject.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/.codecov.yml mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/analyzer.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/appveyor.yml mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/debug.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/fixer.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/flatten.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/internal/post_go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/internal/pre_go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/mixin.go mode change 100644 => 100755 vendor/github.com/go-openapi/analysis/schema.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/errors/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/errors/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/errors/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/errors/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/errors/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/errors/api.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/auth.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/errors/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/errors/headers.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/middleware.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/parsing.go mode change 100644 => 100755 vendor/github.com/go-openapi/errors/schema.go mode change 100644 => 100755 vendor/github.com/go-openapi/inflect/.hgignore mode change 100644 => 100755 vendor/github.com/go-openapi/inflect/LICENCE mode change 100644 => 100755 vendor/github.com/go-openapi/inflect/README mode change 100644 => 100755 vendor/github.com/go-openapi/inflect/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/inflect/inflect.go mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/jsonpointer/pointer.go mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/jsonreference/reference.go mode change 100644 => 100755 vendor/github.com/go-openapi/loads/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/loads/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/loads/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/loads/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/loads/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/loads/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/loads/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/loads/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/loads/fmts/yaml.go mode change 100644 => 100755 vendor/github.com/go-openapi/loads/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/loads/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/loads/spec.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/bytestream.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/client_auth_info.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/client_operation.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/client_request.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/client_response.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/constants.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/csv.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/discard.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/file.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/headers.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/interfaces.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/json.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/logger/logger.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/logger/standard.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/context.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/denco/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/denco/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/denco/router.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/denco/server.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/denco/util.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/header/header.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/negotiate.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/not_implemented.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/operation.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/parameter.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/pre_go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/redoc.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/request.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/router.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/security.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/spec.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/untyped/api.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/middleware/validation.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/request.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/security/authenticator.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/security/authorizer.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/statuses.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/text.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/values.go mode change 100644 => 100755 vendor/github.com/go-openapi/runtime/xml.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/spec/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/spec/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/spec/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/spec/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/spec/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/spec/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/spec/bindata.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/cache.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/contact_info.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/debug.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/expander.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/external_docs.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/spec/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/spec/header.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/info.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/items.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/license.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/normalizer.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/operation.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/parameter.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/path_item.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/paths.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/ref.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/response.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/responses.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/schema.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/schema_loader.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/security_scheme.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/spec.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/swagger.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/tag.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/unused.go mode change 100644 => 100755 vendor/github.com/go-openapi/spec/xml_object.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/bson.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/date.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/default.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/duration.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/format.go mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/strfmt/time.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/swag/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/swag/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/swag/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/swag/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/swag/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/swag/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/swag/convert.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/convert_types.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/swag/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/swag/json.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/loading.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/name_lexem.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/net.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/path.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/post_go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/post_go19.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/pre_go18.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/pre_go19.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/split.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/util.go mode change 100644 => 100755 vendor/github.com/go-openapi/swag/yaml.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/.editorconfig mode change 100644 => 100755 vendor/github.com/go-openapi/validate/.gitignore mode change 100644 => 100755 vendor/github.com/go-openapi/validate/.golangci.yml mode change 100644 => 100755 vendor/github.com/go-openapi/validate/.travis.yml mode change 100644 => 100755 vendor/github.com/go-openapi/validate/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/go-openapi/validate/LICENSE mode change 100644 => 100755 vendor/github.com/go-openapi/validate/README.md mode change 100644 => 100755 vendor/github.com/go-openapi/validate/debug.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/default_validator.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/doc.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/example_validator.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/formats.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/go.mod mode change 100644 => 100755 vendor/github.com/go-openapi/validate/go.sum mode change 100644 => 100755 vendor/github.com/go-openapi/validate/helpers.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/object_validator.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/options.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/result.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/rexp.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/schema.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/schema_messages.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/schema_option.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/schema_props.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/slice_validator.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/spec.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/spec_messages.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/type.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/update-fixtures.sh mode change 100644 => 100755 vendor/github.com/go-openapi/validate/validator.go mode change 100644 => 100755 vendor/github.com/go-openapi/validate/values.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/.gitignore mode change 100644 => 100755 vendor/github.com/go-redis/redis/.travis.yml mode change 100644 => 100755 vendor/github.com/go-redis/redis/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/go-redis/redis/LICENSE mode change 100644 => 100755 vendor/github.com/go-redis/redis/Makefile mode change 100644 => 100755 vendor/github.com/go-redis/redis/README.md mode change 100644 => 100755 vendor/github.com/go-redis/redis/cluster.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/cluster_commands.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/command.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/commands.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/doc.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/consistenthash/consistenthash.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/error.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/hashtag/hashtag.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/internal.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/log.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/once.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/pool/conn.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/pool/pool.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/pool/pool_single.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/pool/pool_sticky.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/proto/reader.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/proto/scan.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/proto/writer.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/util.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/util/safe.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/util/strconv.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/internal/util/unsafe.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/iterator.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/options.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/pipeline.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/pubsub.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/redis.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/result.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/ring.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/script.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/sentinel.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/tx.go mode change 100644 => 100755 vendor/github.com/go-redis/redis/universal.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/.gitignore mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/BUILD.bazel mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/LICENSE mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/README.md mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/WORKSPACE mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/client.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/go.mod mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/middleware.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/redirect.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/request.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/response.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/resty.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/retry.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/trace.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/transport.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/transport112.go mode change 100644 => 100755 vendor/github.com/go-resty/resty/v2/util.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/.gitignore mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/.travis.yml mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/AUTHORS mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/LICENSE mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/README.md mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/appengine.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/auth.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/buffer.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/collations.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/connection.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/connection_go18.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/const.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/driver.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/dsn.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/errors.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/fields.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/infile.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/packets.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/result.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/rows.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/statement.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/transaction.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/utils.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/utils_go17.go mode change 100644 => 100755 vendor/github.com/go-sql-driver/mysql/utils_go18.go mode change 100644 => 100755 vendor/github.com/go-stack/stack/.travis.yml mode change 100644 => 100755 vendor/github.com/go-stack/stack/LICENSE.md mode change 100644 => 100755 vendor/github.com/go-stack/stack/README.md mode change 100644 => 100755 vendor/github.com/go-stack/stack/go.mod mode change 100644 => 100755 vendor/github.com/go-stack/stack/stack.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/LICENSE mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/.gitignore mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/array_diff.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/compatibility.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difference_location.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difftypes.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/node.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/reporting.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_analyser.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_difference.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/type_adapters.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/expand.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/flatten.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/client.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/contrib.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/model.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/operation.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/server.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/shared.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec_go111.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/support.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd/spec.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/mixin.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/serve.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/validate.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/version.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/cmd/swagger/swagger.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/application.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/meta.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/operations.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/parameters.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/parser.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/regexprs.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/responses.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/route_params.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/routes.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/schema.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/codescan/spec.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/bindata.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/client.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/config.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/debug.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/discriminators.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/doc.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/formats.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/gen-debug.sh mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/model.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/operation.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/shared.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/structs.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/support.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/template_repo.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/generator/types.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/classifier.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/doc.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/meta.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/operations.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/parameters.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/path.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/responses.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/route_params.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/routes.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/scanner.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/schema.go mode change 100644 => 100755 vendor/github.com/go-swagger/go-swagger/scan/validators.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/.gitignore mode change 100644 => 100755 vendor/github.com/gobwas/glob/.travis.yml mode change 100644 => 100755 vendor/github.com/gobwas/glob/LICENSE mode change 100644 => 100755 vendor/github.com/gobwas/glob/bench.sh mode change 100644 => 100755 vendor/github.com/gobwas/glob/compiler/compiler.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/glob.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/any.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/any_of.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/btree.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/contains.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/every_of.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/list.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/match.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/max.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/min.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/nothing.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/prefix.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/prefix_any.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/prefix_suffix.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/range.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/row.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/segments.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/single.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/suffix.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/suffix_any.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/super.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/match/text.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/readme.md mode change 100644 => 100755 vendor/github.com/gobwas/glob/syntax/ast/ast.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/syntax/ast/parser.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/syntax/lexer/lexer.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/syntax/lexer/token.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/syntax/syntax.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/util/runes/runes.go mode change 100644 => 100755 vendor/github.com/gobwas/glob/util/strings/strings.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/2022.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/AUTHORS mode change 100644 => 100755 vendor/github.com/gogs/chardet/LICENSE mode change 100644 => 100755 vendor/github.com/gogs/chardet/README.md mode change 100644 => 100755 vendor/github.com/gogs/chardet/detector.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/go.mod mode change 100644 => 100755 vendor/github.com/gogs/chardet/icu-license.html mode change 100644 => 100755 vendor/github.com/gogs/chardet/multi_byte.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/recognizer.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/single_byte.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/unicode.go mode change 100644 => 100755 vendor/github.com/gogs/chardet/utf8.go mode change 100644 => 100755 vendor/github.com/gogs/cron/.gitignore mode change 100644 => 100755 vendor/github.com/gogs/cron/.travis.yml mode change 100644 => 100755 vendor/github.com/gogs/cron/LICENSE mode change 100644 => 100755 vendor/github.com/gogs/cron/README.md mode change 100644 => 100755 vendor/github.com/gogs/cron/constantdelay.go mode change 100644 => 100755 vendor/github.com/gogs/cron/cron.go mode change 100644 => 100755 vendor/github.com/gogs/cron/doc.go mode change 100644 => 100755 vendor/github.com/gogs/cron/parser.go mode change 100644 => 100755 vendor/github.com/gogs/cron/spec.go mode change 100644 => 100755 vendor/github.com/golang-sql/civil/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/golang-sql/civil/LICENSE mode change 100644 => 100755 vendor/github.com/golang-sql/civil/README.md mode change 100644 => 100755 vendor/github.com/golang-sql/civil/civil.go mode change 100644 => 100755 vendor/github.com/golang/groupcache/LICENSE mode change 100644 => 100755 vendor/github.com/golang/groupcache/lru/lru.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/AUTHORS mode change 100644 => 100755 vendor/github.com/golang/protobuf/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/golang/protobuf/LICENSE mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/buffer.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/defaults.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/deprecated.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/discard.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/extensions.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/properties.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/proto.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/registry.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/text_decode.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/text_encode.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/wire.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/proto/wrappers.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/protoc-gen-go/descriptor/descriptor.pb.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/any.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/any/any.pb.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/doc.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/duration.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/duration/duration.pb.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/empty/empty.pb.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/timestamp.go mode change 100644 => 100755 vendor/github.com/golang/protobuf/ptypes/timestamp/timestamp.pb.go mode change 100644 => 100755 vendor/github.com/golang/snappy/.gitignore mode change 100644 => 100755 vendor/github.com/golang/snappy/AUTHORS mode change 100644 => 100755 vendor/github.com/golang/snappy/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/golang/snappy/LICENSE mode change 100644 => 100755 vendor/github.com/golang/snappy/README mode change 100644 => 100755 vendor/github.com/golang/snappy/decode.go mode change 100644 => 100755 vendor/github.com/golang/snappy/decode_amd64.go mode change 100644 => 100755 vendor/github.com/golang/snappy/decode_amd64.s mode change 100644 => 100755 vendor/github.com/golang/snappy/decode_other.go mode change 100644 => 100755 vendor/github.com/golang/snappy/encode.go mode change 100644 => 100755 vendor/github.com/golang/snappy/encode_amd64.go mode change 100644 => 100755 vendor/github.com/golang/snappy/encode_amd64.s mode change 100644 => 100755 vendor/github.com/golang/snappy/encode_other.go mode change 100644 => 100755 vendor/github.com/golang/snappy/go.mod mode change 100644 => 100755 vendor/github.com/golang/snappy/snappy.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/LICENSE mode change 100644 => 100755 vendor/github.com/gomodule/redigo/internal/commandinfo.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/conn.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/doc.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/go16.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/go17.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/go18.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/log.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/pool.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/pool17.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/pubsub.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/redis.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/reply.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/scan.go mode change 100644 => 100755 vendor/github.com/gomodule/redigo/redis/script.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/AUTHORS mode change 100644 => 100755 vendor/github.com/google/go-github/v24/LICENSE mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/activity.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/activity_events.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/activity_notifications.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/activity_star.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/activity_watching.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/admin.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/admin_stats.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/apps.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/apps_installation.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/apps_marketplace.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/authorizations.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/checks.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/doc.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/event.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/event_types.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/gists.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/gists_comments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git_blobs.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git_commits.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git_refs.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git_tags.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/git_trees.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/github-accessors.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/github.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/gitignore.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/interactions.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/interactions_orgs.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/interactions_repos.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_assignees.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_comments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_events.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_labels.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_milestones.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/issues_timeline.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/licenses.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/messages.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/migrations.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/migrations_source_import.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/migrations_user.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/misc.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs_hooks.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs_members.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs_outside_collaborators.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs_projects.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/orgs_users_blocking.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/projects.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/pulls.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/pulls_comments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/pulls_reviewers.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/pulls_reviews.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/reactions.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_collaborators.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_comments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_commits.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_community_health.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_contents.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_deployments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_forks.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_hooks.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_invitations.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_keys.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_merging.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_pages.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_prereceive_hooks.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_projects.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_releases.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_stats.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_statuses.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/repos_traffic.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/search.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/strings.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/teams.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/teams_discussion_comments.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/teams_discussions.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/teams_members.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/timestamp.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_administration.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_blocking.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_emails.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_followers.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_gpg_keys.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/users_keys.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/with_appengine.go mode change 100644 => 100755 vendor/github.com/google/go-github/v24/github/without_appengine.go mode change 100644 => 100755 vendor/github.com/google/go-querystring/LICENSE mode change 100644 => 100755 vendor/github.com/google/go-querystring/query/encode.go mode change 100644 => 100755 vendor/github.com/google/uuid/.travis.yml mode change 100644 => 100755 vendor/github.com/google/uuid/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/google/uuid/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/google/uuid/LICENSE mode change 100644 => 100755 vendor/github.com/google/uuid/README.md mode change 100644 => 100755 vendor/github.com/google/uuid/dce.go mode change 100644 => 100755 vendor/github.com/google/uuid/doc.go mode change 100644 => 100755 vendor/github.com/google/uuid/go.mod mode change 100644 => 100755 vendor/github.com/google/uuid/hash.go mode change 100644 => 100755 vendor/github.com/google/uuid/marshal.go mode change 100644 => 100755 vendor/github.com/google/uuid/node.go mode change 100644 => 100755 vendor/github.com/google/uuid/node_js.go mode change 100644 => 100755 vendor/github.com/google/uuid/node_net.go mode change 100644 => 100755 vendor/github.com/google/uuid/sql.go mode change 100644 => 100755 vendor/github.com/google/uuid/time.go mode change 100644 => 100755 vendor/github.com/google/uuid/util.go mode change 100644 => 100755 vendor/github.com/google/uuid/uuid.go mode change 100644 => 100755 vendor/github.com/google/uuid/version1.go mode change 100644 => 100755 vendor/github.com/google/uuid/version4.go mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/LICENSE mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/call_option.go mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/gax.go mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/go.mod mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/go.sum mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/header.go mode change 100644 => 100755 vendor/github.com/googleapis/gax-go/v2/invoke.go mode change 100644 => 100755 vendor/github.com/gorilla/context/.travis.yml mode change 100644 => 100755 vendor/github.com/gorilla/context/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/context/README.md mode change 100644 => 100755 vendor/github.com/gorilla/context/context.go mode change 100644 => 100755 vendor/github.com/gorilla/context/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/css/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/css/scanner/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/css/scanner/scanner.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/handlers/README.md mode change 100644 => 100755 vendor/github.com/gorilla/handlers/canonical.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/compress.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/cors.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/go.mod mode change 100644 => 100755 vendor/github.com/gorilla/handlers/handlers.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/handlers_go18.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/handlers_pre18.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/logging.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/proxy_headers.go mode change 100644 => 100755 vendor/github.com/gorilla/handlers/recovery.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/.travis.yml mode change 100644 => 100755 vendor/github.com/gorilla/mux/ISSUE_TEMPLATE.md mode change 100644 => 100755 vendor/github.com/gorilla/mux/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/mux/README.md mode change 100644 => 100755 vendor/github.com/gorilla/mux/context_gorilla.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/context_native.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/middleware.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/mux.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/regexp.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/route.go mode change 100644 => 100755 vendor/github.com/gorilla/mux/test_helpers.go mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/.travis.yml mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/README.md mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/fuzz.go mode change 100644 => 100755 vendor/github.com/gorilla/securecookie/securecookie.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/AUTHORS mode change 100644 => 100755 vendor/github.com/gorilla/sessions/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/sessions/README.md mode change 100644 => 100755 vendor/github.com/gorilla/sessions/cookie.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/cookie_go111.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/go.mod mode change 100644 => 100755 vendor/github.com/gorilla/sessions/go.sum mode change 100644 => 100755 vendor/github.com/gorilla/sessions/lex.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/options.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/options_go111.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/sessions.go mode change 100644 => 100755 vendor/github.com/gorilla/sessions/store.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/.gitignore mode change 100644 => 100755 vendor/github.com/gorilla/websocket/.travis.yml mode change 100644 => 100755 vendor/github.com/gorilla/websocket/AUTHORS mode change 100644 => 100755 vendor/github.com/gorilla/websocket/LICENSE mode change 100644 => 100755 vendor/github.com/gorilla/websocket/README.md mode change 100644 => 100755 vendor/github.com/gorilla/websocket/client.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/client_clone.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/client_clone_legacy.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/compression.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/conn.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/conn_write.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/conn_write_legacy.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/doc.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/json.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/mask.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/mask_safe.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/prepared.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/proxy.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/server.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/trace.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/trace_17.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/util.go mode change 100644 => 100755 vendor/github.com/gorilla/websocket/x_net_proxy.go mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/LICENSE mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/README.md mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/cleanhttp.go mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/doc.go mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/go.mod mode change 100644 => 100755 vendor/github.com/hashicorp/go-cleanhttp/handlers.go mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/.gitignore mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/.travis.yml mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/LICENSE mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/Makefile mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/README.md mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/client.go mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/go.mod mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/go.sum mode change 100644 => 100755 vendor/github.com/hashicorp/go-retryablehttp/roundtripper.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/.gitignore mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/.travis.yml mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/LICENSE mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/Makefile mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/README.md mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/appveyor.yml mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/decoder.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/go.mod mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/go.sum mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/ast/ast.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/ast/walk.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/parser/error.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/parser/parser.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/printer/nodes.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/printer/printer.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/scanner/scanner.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/strconv/quote.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/token/position.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/hcl/token/token.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/json/parser/flatten.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/json/parser/parser.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/json/scanner/scanner.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/json/token/position.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/json/token/token.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/lex.go mode change 100644 => 100755 vendor/github.com/hashicorp/hcl/parse.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/.gitignore mode change 100644 => 100755 vendor/github.com/huandu/xstrings/.travis.yml mode change 100644 => 100755 vendor/github.com/huandu/xstrings/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/huandu/xstrings/LICENSE mode change 100644 => 100755 vendor/github.com/huandu/xstrings/README.md mode change 100644 => 100755 vendor/github.com/huandu/xstrings/common.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/convert.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/count.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/doc.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/format.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/go.mod mode change 100644 => 100755 vendor/github.com/huandu/xstrings/manipulate.go mode change 100644 => 100755 vendor/github.com/huandu/xstrings/translate.go mode change 100644 => 100755 vendor/github.com/issue9/identicon/.gitignore mode change 100644 => 100755 vendor/github.com/issue9/identicon/.travis.yml mode change 100644 => 100755 vendor/github.com/issue9/identicon/LICENSE mode change 100644 => 100755 vendor/github.com/issue9/identicon/README.md mode change 100644 => 100755 vendor/github.com/issue9/identicon/block.go mode change 100644 => 100755 vendor/github.com/issue9/identicon/doc.go mode change 100644 => 100755 vendor/github.com/issue9/identicon/go.mod mode change 100644 => 100755 vendor/github.com/issue9/identicon/go.sum mode change 100644 => 100755 vendor/github.com/issue9/identicon/identicon.go mode change 100644 => 100755 vendor/github.com/issue9/identicon/polygon.go mode change 100644 => 100755 vendor/github.com/jaytaylor/html2text/.gitignore mode change 100644 => 100755 vendor/github.com/jaytaylor/html2text/.travis.yml mode change 100644 => 100755 vendor/github.com/jaytaylor/html2text/LICENSE mode change 100644 => 100755 vendor/github.com/jaytaylor/html2text/README.md mode change 100644 => 100755 vendor/github.com/jaytaylor/html2text/html2text.go mode change 100644 => 100755 vendor/github.com/jbenet/go-context/LICENSE mode change 100644 => 100755 vendor/github.com/jbenet/go-context/io/ctxio.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/.travis.yml mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/LICENSE mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/README.md mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/arg.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/check_crosscompile.sh mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/closest.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/command.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/completion.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/convert.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/error.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/flags.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/group.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/help.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/ini.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/man.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/multitag.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/option.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/optstyle_other.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/optstyle_windows.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/parser.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/termsize.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/termsize_nosysioctl.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/tiocgwinsz_bsdish.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/tiocgwinsz_linux.go mode change 100644 => 100755 vendor/github.com/jessevdk/go-flags/tiocgwinsz_other.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/.gitignore mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/.travis.yml mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/LICENSE mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/Makefile mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/README.md mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/api.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/astnodetype_string.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/functions.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/interpreter.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/lexer.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/parser.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/toktype_string.go mode change 100644 => 100755 vendor/github.com/jmespath/go-jmespath/util.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/.codecov.yml mode change 100644 => 100755 vendor/github.com/json-iterator/go/.gitignore mode change 100644 => 100755 vendor/github.com/json-iterator/go/.travis.yml mode change 100644 => 100755 vendor/github.com/json-iterator/go/Gopkg.lock mode change 100644 => 100755 vendor/github.com/json-iterator/go/Gopkg.toml mode change 100644 => 100755 vendor/github.com/json-iterator/go/LICENSE mode change 100644 => 100755 vendor/github.com/json-iterator/go/README.md mode change 100644 => 100755 vendor/github.com/json-iterator/go/adapter.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_array.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_bool.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_float.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_int32.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_int64.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_invalid.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_nil.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_number.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_object.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_str.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_uint32.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/any_uint64.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/build.sh mode change 100644 => 100755 vendor/github.com/json-iterator/go/config.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/fuzzy_mode_convert_table.md mode change 100644 => 100755 vendor/github.com/json-iterator/go/go.mod mode change 100644 => 100755 vendor/github.com/json-iterator/go/go.sum mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_array.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_float.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_int.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_object.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_skip.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_skip_sloppy.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_skip_strict.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/iter_str.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/jsoniter.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/pool.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_array.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_dynamic.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_extension.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_json_number.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_json_raw_message.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_map.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_marshaler.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_native.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_optional.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_slice.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_struct_decoder.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/reflect_struct_encoder.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/stream.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/stream_float.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/stream_int.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/stream_str.go mode change 100644 => 100755 vendor/github.com/json-iterator/go/test.sh mode change 100644 => 100755 vendor/github.com/kballard/go-shellquote/LICENSE mode change 100644 => 100755 vendor/github.com/kballard/go-shellquote/README mode change 100644 => 100755 vendor/github.com/kballard/go-shellquote/doc.go mode change 100644 => 100755 vendor/github.com/kballard/go-shellquote/quote.go mode change 100644 => 100755 vendor/github.com/kballard/go-shellquote/unquote.go mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/.travis.yml mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/LICENSE mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/MAINTAINERS mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/README.md mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/doc.go mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/env_os.go mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/env_syscall.go mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/envconfig.go mode change 100644 => 100755 vendor/github.com/kelseyhightower/envconfig/usage.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/.gitattributes mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/.gitignore mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/.mailmap mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/.travis.yml mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/AUTHORS.txt mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/LICENSE mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/Makefile mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/README.md mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/config.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/lexer.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/parser.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/position.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/token.go mode change 100644 => 100755 vendor/github.com/kevinburke/ssh_config/validators.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/AUTHORS mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/LICENSE mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/PATENTS mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/brainpool/brainpool.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/brainpool/rcurve.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/cast5/cast5.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/const_amd64.h mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/const_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/cswap_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/curve25519.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/curve_impl.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/doc.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/freeze_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/ladderstep_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/mont25519_amd64.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/mul_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/curve25519/square_amd64.s mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/ed25519/ed25519.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/const.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/edwards25519.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/armor/armor.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/armor/encode.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/canonical_text.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/ecdh/ecdh.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/elgamal/elgamal.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/errors/errors.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/keys.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/compressed.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/config.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/ecdh.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/encrypted_key.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/literal.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/ocfb.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/one_pass_signature.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/opaque.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/packet.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/private_key.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/public_key.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/public_key_v3.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/reader.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/signature.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/signature_v3.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/symmetric_key_encrypted.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/symmetrically_encrypted.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/userattribute.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/packet/userid.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/patch.sh mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/read.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/s2k/s2k.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/sig-v3.patch mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/openpgp/write.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/rsa/pkcs1v15.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/rsa/pss.go mode change 100644 => 100755 vendor/github.com/keybase/go-crypto/rsa/rsa.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/LICENSE mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/deflate.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/dict_decoder.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/fast_encoder.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/gen_inflate.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/huffman_bit_writer.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/huffman_code.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/huffman_sortByFreq.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/huffman_sortByLiteral.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/inflate.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/inflate_gen.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level1.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level2.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level3.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level4.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level5.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/level6.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/stateless.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/flate/token.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/gzip/gunzip.go mode change 100644 => 100755 vendor/github.com/klauspost/compress/gzip/gzip.go mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/.gitignore mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/.travis.yml mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/CONTRIBUTING.txt mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/LICENSE mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/README.md mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/cpuid.go mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/cpuid_386.s mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/cpuid_amd64.s mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/detect_intel.go mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/detect_ref.go mode change 100644 => 100755 vendor/github.com/klauspost/cpuid/generate.go mode change 100644 => 100755 vendor/github.com/kr/pretty/.gitignore mode change 100644 => 100755 vendor/github.com/kr/pretty/License mode change 100644 => 100755 vendor/github.com/kr/pretty/Readme mode change 100644 => 100755 vendor/github.com/kr/pretty/diff.go mode change 100644 => 100755 vendor/github.com/kr/pretty/formatter.go mode change 100644 => 100755 vendor/github.com/kr/pretty/go.mod mode change 100644 => 100755 vendor/github.com/kr/pretty/pretty.go mode change 100644 => 100755 vendor/github.com/kr/pretty/zero.go mode change 100644 => 100755 vendor/github.com/kr/text/License mode change 100644 => 100755 vendor/github.com/kr/text/Readme mode change 100644 => 100755 vendor/github.com/kr/text/doc.go mode change 100644 => 100755 vendor/github.com/kr/text/go.mod mode change 100644 => 100755 vendor/github.com/kr/text/indent.go mode change 100644 => 100755 vendor/github.com/kr/text/wrap.go mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/.gitignore mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/.travis.yml mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/LICENSE mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/README.md mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/go.mod mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/go.sum mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/test mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/util/time_stamp.go mode change 100644 => 100755 vendor/github.com/lafriks/xormstore/xormstore.go mode change 100644 => 100755 vendor/github.com/lib/pq/.gitignore mode change 100644 => 100755 vendor/github.com/lib/pq/.travis.sh mode change 100644 => 100755 vendor/github.com/lib/pq/.travis.yml mode change 100644 => 100755 vendor/github.com/lib/pq/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/lib/pq/LICENSE.md mode change 100644 => 100755 vendor/github.com/lib/pq/README.md mode change 100644 => 100755 vendor/github.com/lib/pq/TESTS.md mode change 100644 => 100755 vendor/github.com/lib/pq/array.go mode change 100644 => 100755 vendor/github.com/lib/pq/buf.go mode change 100644 => 100755 vendor/github.com/lib/pq/conn.go mode change 100644 => 100755 vendor/github.com/lib/pq/conn_go18.go mode change 100644 => 100755 vendor/github.com/lib/pq/connector.go mode change 100644 => 100755 vendor/github.com/lib/pq/copy.go mode change 100644 => 100755 vendor/github.com/lib/pq/doc.go mode change 100644 => 100755 vendor/github.com/lib/pq/encode.go mode change 100644 => 100755 vendor/github.com/lib/pq/error.go mode change 100644 => 100755 vendor/github.com/lib/pq/go.mod mode change 100644 => 100755 vendor/github.com/lib/pq/notify.go mode change 100644 => 100755 vendor/github.com/lib/pq/oid/doc.go mode change 100644 => 100755 vendor/github.com/lib/pq/oid/types.go mode change 100644 => 100755 vendor/github.com/lib/pq/rows.go mode change 100644 => 100755 vendor/github.com/lib/pq/scram/scram.go mode change 100644 => 100755 vendor/github.com/lib/pq/ssl.go mode change 100644 => 100755 vendor/github.com/lib/pq/ssl_permissions.go mode change 100644 => 100755 vendor/github.com/lib/pq/ssl_windows.go mode change 100644 => 100755 vendor/github.com/lib/pq/url.go mode change 100644 => 100755 vendor/github.com/lib/pq/user_posix.go mode change 100644 => 100755 vendor/github.com/lib/pq/user_windows.go mode change 100644 => 100755 vendor/github.com/lib/pq/uuid.go mode change 100644 => 100755 vendor/github.com/lunny/dingtalk_webhook/LICENSE mode change 100644 => 100755 vendor/github.com/lunny/dingtalk_webhook/README.md mode change 100644 => 100755 vendor/github.com/lunny/dingtalk_webhook/webhook.go mode change 100644 => 100755 vendor/github.com/lunny/log/.gitignore mode change 100644 => 100755 vendor/github.com/lunny/log/LICENSE mode change 100644 => 100755 vendor/github.com/lunny/log/README.md mode change 100644 => 100755 vendor/github.com/lunny/log/README_CN.md mode change 100644 => 100755 vendor/github.com/lunny/log/dbwriter.go mode change 100644 => 100755 vendor/github.com/lunny/log/filewriter.go mode change 100644 => 100755 vendor/github.com/lunny/log/logext.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/.gitignore mode change 100644 => 100755 vendor/github.com/lunny/nodb/LICENSE mode change 100644 => 100755 vendor/github.com/lunny/nodb/README.md mode change 100644 => 100755 vendor/github.com/lunny/nodb/README_CN.md mode change 100644 => 100755 vendor/github.com/lunny/nodb/batch.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/binlog.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/binlog_util.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/config/config.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/config/config.toml mode change 100644 => 100755 vendor/github.com/lunny/nodb/const.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/doc.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/dump.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/info.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/multi.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/nodb.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/nodb_db.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/replication.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/scan.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/db.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/driver/batch.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/driver/driver.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/driver/store.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/goleveldb/batch.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/goleveldb/const.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/goleveldb/db.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/goleveldb/iterator.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/goleveldb/snapshot.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/iterator.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/snapshot.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/store.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/tx.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/store/writebatch.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_bit.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_hash.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_kv.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_list.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_set.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_ttl.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/t_zset.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/tx.go mode change 100644 => 100755 vendor/github.com/lunny/nodb/util.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/.gitignore mode change 100644 => 100755 vendor/github.com/magiconair/properties/.travis.yml mode change 100644 => 100755 vendor/github.com/magiconair/properties/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/magiconair/properties/LICENSE mode change 100644 => 100755 vendor/github.com/magiconair/properties/README.md mode change 100644 => 100755 vendor/github.com/magiconair/properties/decode.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/doc.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/go.mod mode change 100644 => 100755 vendor/github.com/magiconair/properties/integrate.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/lex.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/load.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/parser.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/properties.go mode change 100644 => 100755 vendor/github.com/magiconair/properties/rangecheck.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/.gitignore mode change 100644 => 100755 vendor/github.com/mailru/easyjson/.travis.yml mode change 100644 => 100755 vendor/github.com/mailru/easyjson/LICENSE mode change 100644 => 100755 vendor/github.com/mailru/easyjson/Makefile mode change 100644 => 100755 vendor/github.com/mailru/easyjson/README.md mode change 100644 => 100755 vendor/github.com/mailru/easyjson/buffer/pool.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/go.mod mode change 100644 => 100755 vendor/github.com/mailru/easyjson/helpers.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/jlexer/bytestostr.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/jlexer/bytestostr_nounsafe.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/jlexer/error.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/jlexer/lexer.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/jwriter/writer.go mode change 100644 => 100755 vendor/github.com/mailru/easyjson/raw.go mode change 100644 => 100755 vendor/github.com/markbates/goth/.gitignore mode change 100644 => 100755 vendor/github.com/markbates/goth/.travis.yml mode change 100644 => 100755 vendor/github.com/markbates/goth/LICENSE.txt mode change 100644 => 100755 vendor/github.com/markbates/goth/README.md mode change 100644 => 100755 vendor/github.com/markbates/goth/doc.go mode change 100644 => 100755 vendor/github.com/markbates/goth/go.mod mode change 100644 => 100755 vendor/github.com/markbates/goth/go.sum mode change 100644 => 100755 vendor/github.com/markbates/goth/gothic/gothic.go mode change 100644 => 100755 vendor/github.com/markbates/goth/provider.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/bitbucket/bitbucket.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/bitbucket/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/discord/discord.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/discord/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/dropbox/dropbox.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/facebook/facebook.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/facebook/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/gitea/gitea.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/gitea/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/github/github.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/github/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/gitlab/gitlab.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/gitlab/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/google/endpoint.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/google/endpoint_legacy.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/google/google.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/google/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/nextcloud/README.md mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/nextcloud/nextcloud.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/nextcloud/nextcloud_setup.png mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/nextcloud/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/openidConnect/openidConnect.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/openidConnect/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/twitter/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/twitter/twitter.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/yandex/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/providers/yandex/yandex.go mode change 100644 => 100755 vendor/github.com/markbates/goth/session.go mode change 100644 => 100755 vendor/github.com/markbates/goth/user.go mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/.travis.yml mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/LICENSE mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/README.md mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/colorable_appengine.go mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/colorable_others.go mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/colorable_windows.go mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/go.mod mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/go.sum mode change 100644 => 100755 vendor/github.com/mattn/go-colorable/noncolorable.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/.travis.yml mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/LICENSE mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/README.md mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/doc.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/go.mod mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/go.sum mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_android.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_bsd.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_others.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_plan9.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_solaris.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_tcgets.go mode change 100644 => 100755 vendor/github.com/mattn/go-isatty/isatty_windows.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/.travis.yml mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/LICENSE mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/README.mkd mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/go.mod mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth_appengine.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth_js.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth_posix.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth_table.go mode change 100644 => 100755 vendor/github.com/mattn/go-runewidth/runewidth_windows.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/.gitignore mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/.travis.yml mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/LICENSE mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/README.md mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/backup.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/callback.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/doc.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/error.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3-binding.c mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3-binding.h mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_context.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_func_crypt.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_libsqlite3.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension_omit.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_allow_uri_authority.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_app_armor.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_foreign_keys.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_fts5.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_icu.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_introspect.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_json1.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete_fast.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_stat4.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.c mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth_omit.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_full.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vtable.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_other.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_solaris.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_trace.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_type.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_usleep_windows.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3_windows.go mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/sqlite3ext.h mode change 100644 => 100755 vendor/github.com/mattn/go-sqlite3/static_mock.go mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/LICENSE mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/NOTICE mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/.gitignore mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/Makefile mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/decode.go mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/doc.go mode change 100644 => 100755 vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/encode.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/.gitignore mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/.travis.yml mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/LICENSE mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/README.md mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/compare.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/constraint.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/doc.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/group.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/normalize.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/sort.go mode change 100644 => 100755 vendor/github.com/mcuadros/go-version/stability.go mode change 100644 => 100755 vendor/github.com/mgechev/dots/.travis.yml mode change 100644 => 100755 vendor/github.com/mgechev/dots/LICENSE mode change 100644 => 100755 vendor/github.com/mgechev/dots/README.md mode change 100644 => 100755 vendor/github.com/mgechev/dots/resolve.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/LICENSE mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/checkstyle.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/default.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/friendly.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/json.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/ndjson.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/plain.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/severity.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/stylish.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/formatter/unix.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/config.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/failure.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/file.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/formatter.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/linter.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/package.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/rule.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/lint/utils.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/add-constant.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/argument-limit.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/atomic.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/bare-return.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/blank-imports.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/bool-literal-in-expr.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/call-to-gc.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/cognitive-complexity.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/confusing-naming.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/confusing-results.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/constant-logical-expr.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/context-as-argument.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/context-keys-type.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/cyclomatic.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/deep-exit.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/dot-imports.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/duplicated-imports.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/empty-block.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/empty-lines.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/error-naming.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/error-return.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/error-strings.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/errorf.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/exported.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/file-header.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/flag-param.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/function-result-limit.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/get-return.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/if-return.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/import-shadowing.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/imports-blacklist.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/increment-decrement.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/indent-error-flow.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/line-length-limit.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/max-public-structs.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/modifies-param.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/modifies-value-receiver.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/package-comments.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/range-val-address.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/range-val-in-closure.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/range.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/receiver-naming.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/redefines-builtin-id.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/string-of-int.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/struct-tag.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/superfluous-else.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/time-naming.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unexported-return.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unhandled-error.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unnecessary-stmt.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unreachable-code.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unused-param.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/unused-receiver.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/utils.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/var-declarations.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/var-naming.go mode change 100644 => 100755 vendor/github.com/mgechev/revive/rule/waitgroup-by-value.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/.coveralls.yml mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/.gitignore mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/.travis.yml mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/CREDITS.md mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/LICENSE.md mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/Makefile mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/README.md mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/doc.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/go.mod mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/go.sum mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/handlers.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/helpers.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/policies.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/policy.go mode change 100644 => 100755 vendor/github.com/microcosm-cc/bluemonday/sanitize.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/LICENSE mode change 100644 => 100755 vendor/github.com/minio/md5-simd/README.md mode change 100644 => 100755 vendor/github.com/minio/md5-simd/block-generic.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/block16_amd64.s mode change 100644 => 100755 vendor/github.com/minio/md5-simd/block8_amd64.s mode change 100644 => 100755 vendor/github.com/minio/md5-simd/block_amd64.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/go.mod mode change 100644 => 100755 vendor/github.com/minio/md5-simd/go.sum mode change 100644 => 100755 vendor/github.com/minio/md5-simd/md5-digest_amd64.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/md5-server_amd64.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/md5-server_fallback.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/md5-util_amd64.go mode change 100644 => 100755 vendor/github.com/minio/md5-simd/md5.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/.gitignore mode change 100644 => 100755 vendor/github.com/minio/minio-go/.travis.yml mode change 100644 => 100755 vendor/github.com/minio/minio-go/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/LICENSE mode change 100644 => 100755 vendor/github.com/minio/minio-go/MAINTAINERS.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/Makefile mode change 100644 => 100755 vendor/github.com/minio/minio-go/NOTICE mode change 100644 => 100755 vendor/github.com/minio/minio-go/README.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/README_zh_CN.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-compose-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-datatypes.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-error-response.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-lifecycle.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-object-acl.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-object-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-object-file.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-options.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-get-policy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-list.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-notification.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-presigned.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-bucket.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-common.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-copy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-file-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-file.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-multipart.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object-streaming.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-put-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-remove.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-s3-datatypes.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-select.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api-stat.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/api.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/appveyor.yml mode change 100644 => 100755 vendor/github.com/minio/minio-go/bucket-cache.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/bucket-notification.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/constants.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/core.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/hook-reader.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/chain.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/config.json.sample mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/credentials.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/credentials.sample mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/doc.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/env_aws.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/env_minio.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/file_aws_credentials.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/file_minio_client.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/iam_aws.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/signature-type.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/static.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/sts_client_grants.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/credentials/sts_web_identity.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/encrypt/server-side.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-streaming.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v2.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v4.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/s3signer/utils.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/s3utils/utils.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/pkg/set/stringset.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/post-policy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/retry-continous.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/retry.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/s3-endpoints.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/s3-error.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/transport.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/utils.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/.gitignore mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/.golangci.yml mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/LICENSE mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/MAINTAINERS.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/Makefile mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/NOTICE mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/README.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/README_zh_CN.md mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-bucket-tagging.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-compose-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-datatypes.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-error-response.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-bucket-encryption.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-bucket-versioning.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-lifecycle.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-object-acl-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-object-acl.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-object-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-object-file.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-options.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-get-policy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-list.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-notification.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-object-legal-hold.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-object-lock.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-object-retention.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-object-tagging.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-presigned.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-bucket.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-common.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-copy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-file-context.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-file.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-multipart.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object-streaming.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-put-object.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-remove.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-s3-datatypes.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-select.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api-stat.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/api.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/bucket-cache.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/bucket-notification.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/constants.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/core.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/go.mod mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/go.sum mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/hook-reader.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/assume_role.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/chain.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/config.json.sample mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.sample mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/doc.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/env_aws.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/env_minio.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/file_aws_credentials.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/file_minio_client.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/iam_aws.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/signature-type.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/static.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_client_grants.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_ldap_identity.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_web_identity.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/encrypt/server-side.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/s3utils/utils.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/set/stringset.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-streaming.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v2.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v4.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/signer/utils.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/pkg/tags/tags.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/post-policy.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/retry-continous.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/retry.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/s3-endpoints.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/s3-error.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/staticcheck.conf mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/transport.go mode change 100644 => 100755 vendor/github.com/minio/minio-go/v6/utils.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/.gitignore mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/.travis.yml mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/LICENSE mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/README.md mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/appveyor.yml mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_386.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_386.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_arm.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_linux_arm64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/cpuid_other.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/go.mod mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.asm mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256block_amd64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256block_arm64.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256block_arm64.s mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/sha256block_other.go mode change 100644 => 100755 vendor/github.com/minio/sha256-simd/test-architectures.sh mode change 100644 => 100755 vendor/github.com/mitchellh/go-homedir/LICENSE mode change 100644 => 100755 vendor/github.com/mitchellh/go-homedir/README.md mode change 100644 => 100755 vendor/github.com/mitchellh/go-homedir/go.mod mode change 100644 => 100755 vendor/github.com/mitchellh/go-homedir/homedir.go mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/.travis.yml mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/LICENSE mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/README.md mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/decode_hooks.go mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/error.go mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/go.mod mode change 100644 => 100755 vendor/github.com/mitchellh/mapstructure/mapstructure.go mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/.gitignore mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/.travis.yml mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/LICENSE mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/README.md mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/executor.go mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/go_above_19.go mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/go_below_19.go mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/log.go mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/test.sh mode change 100644 => 100755 vendor/github.com/modern-go/concurrent/unbounded_executor.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/.gitignore mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/.travis.yml mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/Gopkg.lock mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/Gopkg.toml mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/LICENSE mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/README.md mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/go_above_17.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/go_above_19.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/go_below_17.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/go_below_19.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/reflect2.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/reflect2_amd64.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/reflect2_kind.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_386.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_amd64p32.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_arm.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_arm64.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_mips64x.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_mipsx.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_ppc64x.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/relfect2_s390x.s mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/safe_field.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/safe_map.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/safe_slice.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/safe_struct.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/safe_type.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/test.sh mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/type_map.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_array.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_eface.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_field.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_iface.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_link.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_map.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_ptr.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_slice.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_struct.go mode change 100644 => 100755 vendor/github.com/modern-go/reflect2/unsafe_type.go mode change 100644 => 100755 vendor/github.com/mohae/deepcopy/.gitignore mode change 100644 => 100755 vendor/github.com/mohae/deepcopy/.travis.yml mode change 100644 => 100755 vendor/github.com/mohae/deepcopy/LICENSE mode change 100644 => 100755 vendor/github.com/mohae/deepcopy/README.md mode change 100644 => 100755 vendor/github.com/mohae/deepcopy/deepcopy.go mode change 100644 => 100755 vendor/github.com/mrjones/oauth/MIT-LICENSE.txt mode change 100644 => 100755 vendor/github.com/mrjones/oauth/README.md mode change 100644 => 100755 vendor/github.com/mrjones/oauth/oauth.go mode change 100644 => 100755 vendor/github.com/mrjones/oauth/pre-commit.sh mode change 100644 => 100755 vendor/github.com/mrjones/oauth/provider.go mode change 100644 => 100755 vendor/github.com/mschoch/smat/.gitignore mode change 100644 => 100755 vendor/github.com/mschoch/smat/.travis.yml mode change 100644 => 100755 vendor/github.com/mschoch/smat/LICENSE mode change 100644 => 100755 vendor/github.com/mschoch/smat/README.md mode change 100644 => 100755 vendor/github.com/mschoch/smat/actionseq.go mode change 100644 => 100755 vendor/github.com/mschoch/smat/go.mod mode change 100644 => 100755 vendor/github.com/mschoch/smat/smat.go mode change 100644 => 100755 vendor/github.com/msteinert/pam/.gitignore mode change 100644 => 100755 vendor/github.com/msteinert/pam/.travis.yml mode change 100644 => 100755 vendor/github.com/msteinert/pam/LICENSE mode change 100644 => 100755 vendor/github.com/msteinert/pam/README.md mode change 100644 => 100755 vendor/github.com/msteinert/pam/callback.go mode change 100644 => 100755 vendor/github.com/msteinert/pam/transaction.c mode change 100644 => 100755 vendor/github.com/msteinert/pam/transaction.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/.travis.yml mode change 100644 => 100755 vendor/github.com/nfnt/resize/LICENSE mode change 100644 => 100755 vendor/github.com/nfnt/resize/README.md mode change 100644 => 100755 vendor/github.com/nfnt/resize/converter.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/filters.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/nearest.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/resize.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/thumbnail.go mode change 100644 => 100755 vendor/github.com/nfnt/resize/ycc.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/LICENSE mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/block.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/document.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/drawer.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/footnote.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/fuzz.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/headline.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/html_entity.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/html_writer.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/inline.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/keyword.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/list.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/org_writer.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/paragraph.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/table.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/util.go mode change 100644 => 100755 vendor/github.com/niklasfasching/go-org/org/writer.go mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/.gitignore mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/.travis.yml mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/LICENSE.md mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/README.md mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/csv.go mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/go.mod mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/go.sum mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/table.go mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/table_with_color.go mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/util.go mode change 100644 => 100755 vendor/github.com/olekukonko/tablewriter/wrap.go mode change 100644 => 100755 vendor/github.com/oliamb/cutter/.gitignore mode change 100644 => 100755 vendor/github.com/oliamb/cutter/.travis.yml mode change 100644 => 100755 vendor/github.com/oliamb/cutter/LICENSE mode change 100644 => 100755 vendor/github.com/oliamb/cutter/README.md mode change 100644 => 100755 vendor/github.com/oliamb/cutter/cutter.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/.fossa.yml mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/.gitignore mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/.travis.yml mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CHANGELOG-3.0.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CHANGELOG-5.0.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CHANGELOG-6.0.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CHANGELOG-7.0.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ISSUE_TEMPLATE.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/LICENSE mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/README.md mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/acknowledged_response.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/backoff.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_delete_request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_delete_request_easyjson.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_index_request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_index_request_easyjson.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_processor.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_update_request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/bulk_update_request_easyjson.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/canonicalize.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cat_aliases.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cat_allocation.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cat_count.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cat_health.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cat_indices.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/clear_scroll.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/client.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cluster_health.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cluster_reroute.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cluster_state.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/cluster_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/config/config.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/config/doc.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/connection.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/count.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/decoder.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/delete.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/delete_by_query.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/doc.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/docker-compose.yml mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/docvalue_field.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/errors.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/exists.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/explain.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/fetch_source_context.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/field_caps.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/geo_point.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/get.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/go.mod mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/highlight.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/index.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_analyze.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_close.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_create.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_delete.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_delete_template.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_exists.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_exists_template.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_flush.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_flush_synced.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_forcemerge.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_freeze.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get_aliases.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get_field_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get_settings.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_get_template.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_open.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_put_alias.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_put_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_put_settings.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_put_template.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_refresh.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_rollover.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_segments.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_shrink.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/indices_unfreeze.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ingest_delete_pipeline.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ingest_get_pipeline.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ingest_put_pipeline.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ingest_simulate_pipeline.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/inner_hit.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/logger.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/mget.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/msearch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/mtermvectors.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/nodes_info.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/nodes_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/ping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/plugins.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/query.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/reindex.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/rescore.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/rescorer.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/response.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/retrier.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/retry.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/run-es.sh mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/run-tests.sh mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/script.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/script_delete.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/script_get.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/script_put.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/scroll.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_adjacency_matrix.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_auto_date_histogram.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_children.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_composite.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_count_thresholds.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_histogram.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_range.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_diversified_sampler.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filter.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filters.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geo_distance.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geohash_grid.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_global.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_histogram.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_ip_range.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_missing.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_nested.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_range.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_reverse_nested.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_sampler.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_terms.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_text.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_bucket_terms.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_matrix_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_avg.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_cardinality.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_extended_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_bounds.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_centroid.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_max.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_min.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentile_ranks.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentiles.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_scripted_metric.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_sum.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_top_hits.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_value_count.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_metrics_weighted_avg.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_avg_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_script.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_selector.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_sort.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_cumulative_sum.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_derivative.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_extended_stats_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_max_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_min_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_avg.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_fn.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_percentiles_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_serial_diff.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_stats_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_sum_bucket.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_collapse_builder.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_bool.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_boosting.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_common_terms.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_constant_score.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_dis_max.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_distance_feature_query.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_exists.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_fsq.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_fsq_score_funcs.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_fuzzy.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_geo_bounding_box.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_geo_distance.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_geo_polygon.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_has_child.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_has_parent.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_ids.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_match.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_match_all.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_match_none.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_match_phrase.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_match_phrase_prefix.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_more_like_this.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_multi_match.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_nested.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_parent_id.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_percolator.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_prefix.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_query_string.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_range.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_raw_string.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_regexp.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_script.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_script_score.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_simple_query_string.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_slice.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_term.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_terms.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_terms_set.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_type.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_wildcard.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_queries_wrapper.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_request.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_shards.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_source.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/search_terms_lookup.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_create.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_create_repository.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_delete.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_delete_repository.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_get.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_get_repository.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_restore.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/snapshot_verify_repository.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/sort.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggest_field.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_completion.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_context.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_context_category.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_context_geo.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_phrase.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/suggester_term.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/tasks_cancel.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/tasks_get_task.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/tasks_list.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/termvectors.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/update.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/update_by_query.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/uritemplates/LICENSE mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/uritemplates/uritemplates.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/uritemplates/utils.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/validate.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_ilm_delete_lifecycle.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_ilm_get_lifecycle.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_ilm_put_lifecycle.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_info.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_change_password.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_delete_role.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_delete_role_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_delete_user.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_disable_user.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_enable_user.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_get_role.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_get_role_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_get_user.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_put_role.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_put_role_mapping.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_security_put_user.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_ack_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_activate_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_deactivate_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_delete_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_execute_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_get_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_put_watch.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_start.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_stats.go mode change 100644 => 100755 vendor/github.com/olivere/elastic/v7/xpack_watcher_stop.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/.gitignore mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/.travis.yml mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/LICENSE mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/Makefile mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/README.md mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/ext/tags.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/globaltracer.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/gocontext.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/log/field.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/log/util.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/noop.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/propagation.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/span.go mode change 100644 => 100755 vendor/github.com/opentracing/opentracing-go/tracer.go mode change 100644 => 100755 vendor/github.com/patrickmn/go-cache/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/patrickmn/go-cache/LICENSE mode change 100644 => 100755 vendor/github.com/patrickmn/go-cache/README.md mode change 100644 => 100755 vendor/github.com/patrickmn/go-cache/cache.go mode change 100644 => 100755 vendor/github.com/patrickmn/go-cache/sharded.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/.dockerignore mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/.gitignore mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/.travis.yml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/Dockerfile mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/LICENSE mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/PULL_REQUEST_TEMPLATE.md mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/README.md mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/appveyor.yml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/benchmark.json mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/benchmark.sh mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/benchmark.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/benchmark.yml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/doc.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/example-crlf.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/example.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/fuzz.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/fuzz.sh mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/go.mod mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/go.sum mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/keysparsing.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/lexer.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/marshal.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_Map_test.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_test.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/marshal_test.toml mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/parser.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/position.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/token.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/toml.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/tomltree_create.go mode change 100644 => 100755 vendor/github.com/pelletier/go-toml/tomltree_write.go mode change 100644 => 100755 vendor/github.com/philhofer/fwd/LICENSE.md mode change 100644 => 100755 vendor/github.com/philhofer/fwd/README.md mode change 100644 => 100755 vendor/github.com/philhofer/fwd/reader.go mode change 100644 => 100755 vendor/github.com/philhofer/fwd/writer.go mode change 100644 => 100755 vendor/github.com/philhofer/fwd/writer_appengine.go mode change 100644 => 100755 vendor/github.com/philhofer/fwd/writer_unsafe.go mode change 100644 => 100755 vendor/github.com/pkg/errors/.gitignore mode change 100644 => 100755 vendor/github.com/pkg/errors/.travis.yml mode change 100644 => 100755 vendor/github.com/pkg/errors/LICENSE mode change 100644 => 100755 vendor/github.com/pkg/errors/Makefile mode change 100644 => 100755 vendor/github.com/pkg/errors/README.md mode change 100644 => 100755 vendor/github.com/pkg/errors/appveyor.yml mode change 100644 => 100755 vendor/github.com/pkg/errors/errors.go mode change 100644 => 100755 vendor/github.com/pkg/errors/go113.go mode change 100644 => 100755 vendor/github.com/pkg/errors/stack.go mode change 100644 => 100755 vendor/github.com/pmezard/go-difflib/LICENSE mode change 100644 => 100755 vendor/github.com/pmezard/go-difflib/difflib/difflib.go mode change 100644 => 100755 vendor/github.com/pquerna/otp/.travis.yml mode change 100644 => 100755 vendor/github.com/pquerna/otp/LICENSE mode change 100644 => 100755 vendor/github.com/pquerna/otp/NOTICE mode change 100644 => 100755 vendor/github.com/pquerna/otp/README.md mode change 100644 => 100755 vendor/github.com/pquerna/otp/doc.go mode change 100644 => 100755 vendor/github.com/pquerna/otp/go.mod mode change 100644 => 100755 vendor/github.com/pquerna/otp/go.sum mode change 100644 => 100755 vendor/github.com/pquerna/otp/hotp/hotp.go mode change 100644 => 100755 vendor/github.com/pquerna/otp/otp.go mode change 100644 => 100755 vendor/github.com/pquerna/otp/totp/totp.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/LICENSE mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/NOTICE mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/.gitignore mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/README.md mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/build_info.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/build_info_pre_1.12.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/collector.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/counter.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/desc.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/doc.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/expvar_collector.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/fnv.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/gauge.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/go_collector.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/histogram.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/internal/metric.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/labels.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/metric.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/observer.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/process_collector.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/process_collector_other.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/process_collector_windows.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/promhttp/delegator.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/promhttp/http.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_client.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_server.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/registry.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/summary.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/timer.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/untyped.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/value.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/vec.go mode change 100644 => 100755 vendor/github.com/prometheus/client_golang/prometheus/wrap.go mode change 100644 => 100755 vendor/github.com/prometheus/client_model/LICENSE mode change 100644 => 100755 vendor/github.com/prometheus/client_model/NOTICE mode change 100644 => 100755 vendor/github.com/prometheus/client_model/go/metrics.pb.go mode change 100644 => 100755 vendor/github.com/prometheus/common/LICENSE mode change 100644 => 100755 vendor/github.com/prometheus/common/NOTICE mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/decode.go mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/encode.go mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/expfmt.go mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/fuzz.go mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/text_create.go mode change 100644 => 100755 vendor/github.com/prometheus/common/expfmt/text_parse.go mode change 100644 => 100755 vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/README.txt mode change 100644 => 100755 vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/autoneg.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/alert.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/fingerprinting.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/fnv.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/labels.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/labelset.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/metric.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/model.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/signature.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/silence.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/time.go mode change 100644 => 100755 vendor/github.com/prometheus/common/model/value.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/.gitignore mode change 100644 => 100755 vendor/github.com/prometheus/procfs/.golangci.yml mode change 100644 => 100755 vendor/github.com/prometheus/procfs/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/prometheus/procfs/LICENSE mode change 100644 => 100755 vendor/github.com/prometheus/procfs/MAINTAINERS.md mode change 100644 => 100755 vendor/github.com/prometheus/procfs/Makefile mode change 100644 => 100755 vendor/github.com/prometheus/procfs/Makefile.common mode change 100644 => 100755 vendor/github.com/prometheus/procfs/NOTICE mode change 100644 => 100755 vendor/github.com/prometheus/procfs/README.md mode change 100644 => 100755 vendor/github.com/prometheus/procfs/arp.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/buddyinfo.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/crypto.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/doc.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/fixtures.ttar mode change 100644 => 100755 vendor/github.com/prometheus/procfs/fs.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/go.mod mode change 100644 => 100755 vendor/github.com/prometheus/procfs/go.sum mode change 100644 => 100755 vendor/github.com/prometheus/procfs/internal/fs/fs.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/internal/util/parse.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/internal/util/sysreadfile.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/internal/util/sysreadfile_compat.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/internal/util/valueparser.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/ipvs.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/mdstat.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/mountinfo.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/mountstats.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/net_dev.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/net_softnet.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/net_unix.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_environ.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_fdinfo.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_io.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_limits.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_ns.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_psi.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_stat.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/proc_status.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/schedstat.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/stat.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/ttar mode change 100644 => 100755 vendor/github.com/prometheus/procfs/vm.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/xfrm.go mode change 100644 => 100755 vendor/github.com/prometheus/procfs/zoneinfo.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/.gitignore mode change 100644 => 100755 vendor/github.com/quasoft/websspi/.travis.yml mode change 100644 => 100755 vendor/github.com/quasoft/websspi/LICENSE mode change 100644 => 100755 vendor/github.com/quasoft/websspi/README.md mode change 100644 => 100755 vendor/github.com/quasoft/websspi/go.mod mode change 100644 => 100755 vendor/github.com/quasoft/websspi/go.sum mode change 100644 => 100755 vendor/github.com/quasoft/websspi/secctx/session.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/secctx/store.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/userinfo.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/utf16.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/websspi_windows.go mode change 100644 => 100755 vendor/github.com/quasoft/websspi/win32_windows.go delete mode 100644 vendor/github.com/robfig/cron/v3/.travis.yml delete mode 100644 vendor/github.com/robfig/cron/v3/LICENSE delete mode 100644 vendor/github.com/robfig/cron/v3/README.md delete mode 100644 vendor/github.com/robfig/cron/v3/chain.go delete mode 100644 vendor/github.com/robfig/cron/v3/constantdelay.go delete mode 100644 vendor/github.com/robfig/cron/v3/cron.go delete mode 100644 vendor/github.com/robfig/cron/v3/doc.go delete mode 100644 vendor/github.com/robfig/cron/v3/go.mod delete mode 100644 vendor/github.com/robfig/cron/v3/logger.go delete mode 100644 vendor/github.com/robfig/cron/v3/option.go delete mode 100644 vendor/github.com/robfig/cron/v3/parser.go delete mode 100644 vendor/github.com/robfig/cron/v3/spec.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/.gitignore mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/.travis.yml mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/LICENSE.txt mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/README.md mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/block.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/doc.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/esc.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/go.mod mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/html.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/inline.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/markdown.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/node.go mode change 100644 => 100755 vendor/github.com/russross/blackfriday/v2/smartypants.go mode change 100644 => 100755 vendor/github.com/satori/go.uuid/.travis.yml mode change 100644 => 100755 vendor/github.com/satori/go.uuid/LICENSE mode change 100644 => 100755 vendor/github.com/satori/go.uuid/README.md mode change 100644 => 100755 vendor/github.com/satori/go.uuid/codec.go mode change 100644 => 100755 vendor/github.com/satori/go.uuid/generator.go mode change 100644 => 100755 vendor/github.com/satori/go.uuid/sql.go mode change 100644 => 100755 vendor/github.com/satori/go.uuid/uuid.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/AUTHORS mode change 100644 => 100755 vendor/github.com/sergi/go-diff/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/sergi/go-diff/LICENSE mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/diff.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/diffmatchpatch.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/match.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/mathutil.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/operation_string.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/patch.go mode change 100644 => 100755 vendor/github.com/sergi/go-diff/diffmatchpatch/stringutil.go mode change 100644 => 100755 vendor/github.com/shurcooL/httpfs/LICENSE mode change 100644 => 100755 vendor/github.com/shurcooL/httpfs/vfsutil/file.go mode change 100644 => 100755 vendor/github.com/shurcooL/httpfs/vfsutil/vfsutil.go mode change 100644 => 100755 vendor/github.com/shurcooL/httpfs/vfsutil/walk.go mode change 100644 => 100755 vendor/github.com/shurcooL/sanitized_anchor_name/.travis.yml mode change 100644 => 100755 vendor/github.com/shurcooL/sanitized_anchor_name/LICENSE mode change 100644 => 100755 vendor/github.com/shurcooL/sanitized_anchor_name/README.md mode change 100644 => 100755 vendor/github.com/shurcooL/sanitized_anchor_name/go.mod mode change 100644 => 100755 vendor/github.com/shurcooL/sanitized_anchor_name/main.go mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/.travis.yml mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/LICENSE mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/README.md mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/commentwriter.go mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/doc.go mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/generator.go mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/options.go mode change 100644 => 100755 vendor/github.com/shurcooL/vfsgen/stringwriter.go mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/AUTHORS mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/CONTRIBUTORS mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/LICENSE mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/snappy/decode.go mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/snappy/encode.go mode change 100644 => 100755 vendor/github.com/siddontang/go-snappy/snappy/snappy.go mode change 100644 => 100755 vendor/github.com/spf13/afero/.travis.yml mode change 100644 => 100755 vendor/github.com/spf13/afero/LICENSE.txt mode change 100644 => 100755 vendor/github.com/spf13/afero/README.md mode change 100644 => 100755 vendor/github.com/spf13/afero/afero.go mode change 100644 => 100755 vendor/github.com/spf13/afero/appveyor.yml mode change 100644 => 100755 vendor/github.com/spf13/afero/basepath.go mode change 100644 => 100755 vendor/github.com/spf13/afero/cacheOnReadFs.go mode change 100644 => 100755 vendor/github.com/spf13/afero/const_bsds.go mode change 100644 => 100755 vendor/github.com/spf13/afero/const_win_unix.go mode change 100644 => 100755 vendor/github.com/spf13/afero/copyOnWriteFs.go mode change 100644 => 100755 vendor/github.com/spf13/afero/go.mod mode change 100644 => 100755 vendor/github.com/spf13/afero/go.sum mode change 100644 => 100755 vendor/github.com/spf13/afero/httpFs.go mode change 100644 => 100755 vendor/github.com/spf13/afero/ioutil.go mode change 100644 => 100755 vendor/github.com/spf13/afero/lstater.go mode change 100644 => 100755 vendor/github.com/spf13/afero/match.go mode change 100644 => 100755 vendor/github.com/spf13/afero/mem/dir.go mode change 100644 => 100755 vendor/github.com/spf13/afero/mem/dirmap.go mode change 100644 => 100755 vendor/github.com/spf13/afero/mem/file.go mode change 100644 => 100755 vendor/github.com/spf13/afero/memmap.go mode change 100644 => 100755 vendor/github.com/spf13/afero/os.go mode change 100644 => 100755 vendor/github.com/spf13/afero/path.go mode change 100644 => 100755 vendor/github.com/spf13/afero/readonlyfs.go mode change 100644 => 100755 vendor/github.com/spf13/afero/regexpfs.go mode change 100644 => 100755 vendor/github.com/spf13/afero/unionFile.go mode change 100644 => 100755 vendor/github.com/spf13/afero/util.go mode change 100644 => 100755 vendor/github.com/spf13/cast/.gitignore mode change 100644 => 100755 vendor/github.com/spf13/cast/.travis.yml mode change 100644 => 100755 vendor/github.com/spf13/cast/LICENSE mode change 100644 => 100755 vendor/github.com/spf13/cast/Makefile mode change 100644 => 100755 vendor/github.com/spf13/cast/README.md mode change 100644 => 100755 vendor/github.com/spf13/cast/cast.go mode change 100644 => 100755 vendor/github.com/spf13/cast/caste.go mode change 100644 => 100755 vendor/github.com/spf13/cast/go.mod mode change 100644 => 100755 vendor/github.com/spf13/cast/go.sum mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/.gitignore mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/LICENSE mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/README.md mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/default_notepad.go mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/go.mod mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/log_counter.go mode change 100644 => 100755 vendor/github.com/spf13/jwalterweatherman/notepad.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/.gitignore mode change 100644 => 100755 vendor/github.com/spf13/pflag/.travis.yml mode change 100644 => 100755 vendor/github.com/spf13/pflag/LICENSE mode change 100644 => 100755 vendor/github.com/spf13/pflag/README.md mode change 100644 => 100755 vendor/github.com/spf13/pflag/bool.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/bool_slice.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/bytes.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/count.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/duration.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/duration_slice.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/flag.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/float32.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/float64.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/golangflag.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int16.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int32.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int64.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int8.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/int_slice.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/ip.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/ip_slice.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/ipmask.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/ipnet.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/string.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/string_array.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/string_slice.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/string_to_int.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/string_to_string.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint16.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint32.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint64.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint8.go mode change 100644 => 100755 vendor/github.com/spf13/pflag/uint_slice.go mode change 100644 => 100755 vendor/github.com/spf13/viper/.gitignore mode change 100644 => 100755 vendor/github.com/spf13/viper/.travis.yml mode change 100644 => 100755 vendor/github.com/spf13/viper/LICENSE mode change 100644 => 100755 vendor/github.com/spf13/viper/README.md mode change 100644 => 100755 vendor/github.com/spf13/viper/flags.go mode change 100644 => 100755 vendor/github.com/spf13/viper/go.mod mode change 100644 => 100755 vendor/github.com/spf13/viper/go.sum mode change 100644 => 100755 vendor/github.com/spf13/viper/util.go mode change 100644 => 100755 vendor/github.com/spf13/viper/viper.go mode change 100644 => 100755 vendor/github.com/steveyen/gtreap/.gitignore mode change 100644 => 100755 vendor/github.com/steveyen/gtreap/LICENSE mode change 100644 => 100755 vendor/github.com/steveyen/gtreap/README.md mode change 100644 => 100755 vendor/github.com/steveyen/gtreap/go.mod mode change 100644 => 100755 vendor/github.com/steveyen/gtreap/treap.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/.gitignore mode change 100644 => 100755 vendor/github.com/streadway/amqp/.travis.yml mode change 100644 => 100755 vendor/github.com/streadway/amqp/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/streadway/amqp/LICENSE mode change 100644 => 100755 vendor/github.com/streadway/amqp/README.md mode change 100644 => 100755 vendor/github.com/streadway/amqp/allocator.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/auth.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/certs.sh mode change 100644 => 100755 vendor/github.com/streadway/amqp/channel.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/confirms.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/connection.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/consumers.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/delivery.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/doc.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/fuzz.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/gen.sh mode change 100644 => 100755 vendor/github.com/streadway/amqp/pre-commit mode change 100644 => 100755 vendor/github.com/streadway/amqp/read.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/return.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/spec091.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/types.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/uri.go mode change 100644 => 100755 vendor/github.com/streadway/amqp/write.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/LICENSE mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_compare.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_format.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_format.go.tmpl mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_forward.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertion_order.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/assertions.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/doc.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/errors.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/forward_assertions.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/assert/http_assertions.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/doc.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/forward_requirements.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/require.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/require.go.tmpl mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/require_forward.go mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/require_forward.go.tmpl mode change 100644 => 100755 vendor/github.com/stretchr/testify/require/requirements.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/LICENSE mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/batch.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/cache/cache.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/cache/lru.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/comparer.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/comparer/bytes_comparer.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/comparer/comparer.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_compaction.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_iter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_snapshot.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_state.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_transaction.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_util.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/db_write.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/doc.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/errors.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/errors/errors.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/filter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/filter/bloom.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/filter/filter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/iterator/array_iter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/iterator/indexed_iter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/iterator/iter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/iterator/merged_iter.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/journal/journal.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/key.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/memdb/memdb.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/opt/options.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/options.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/session.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/session_compaction.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/session_record.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/session_util.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_nacl.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_plan9.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_solaris.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_unix.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_windows.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/mem_storage.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/storage/storage.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/table.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/table/reader.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/table/table.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/table/writer.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/buffer.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/buffer_pool.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/crc32.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/hash.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/range.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/util/util.go mode change 100644 => 100755 vendor/github.com/syndtr/goleveldb/leveldb/version.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/LICENSE mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/advise_linux.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/advise_other.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/circular.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/defs.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/edit.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/elsize.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/errors.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/extension.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/file.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/file_port.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/integers.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/json.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/json_bytes.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/number.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/purego.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/read.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/read_bytes.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/size.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/unsafe.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/write.go mode change 100644 => 100755 vendor/github.com/tinylib/msgp/msgp/write_bytes.go mode change 100644 => 100755 vendor/github.com/tjfoc/gmsm/LICENSE mode change 100644 => 100755 vendor/github.com/tjfoc/gmsm/sm3/sm3.go mode change 100644 => 100755 vendor/github.com/toqueteos/trie/LICENSE.txt mode change 100644 => 100755 vendor/github.com/toqueteos/trie/README.md mode change 100644 => 100755 vendor/github.com/toqueteos/trie/go.mod mode change 100644 => 100755 vendor/github.com/toqueteos/trie/trie.go mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/.travis.yml mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/LICENSE.md mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/README.md mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/go.mod mode change 100644 => 100755 vendor/github.com/toqueteos/webbrowser/webbrowser.go mode change 100644 => 100755 vendor/github.com/tstranex/u2f/.gitignore mode change 100644 => 100755 vendor/github.com/tstranex/u2f/.travis.yml mode change 100644 => 100755 vendor/github.com/tstranex/u2f/LICENSE mode change 100644 => 100755 vendor/github.com/tstranex/u2f/README.md mode change 100644 => 100755 vendor/github.com/tstranex/u2f/auth.go mode change 100644 => 100755 vendor/github.com/tstranex/u2f/certs.go mode change 100644 => 100755 vendor/github.com/tstranex/u2f/messages.go mode change 100644 => 100755 vendor/github.com/tstranex/u2f/register.go mode change 100644 => 100755 vendor/github.com/tstranex/u2f/util.go mode change 100644 => 100755 vendor/github.com/unknwon/cae/.gitignore mode change 100644 => 100755 vendor/github.com/unknwon/cae/LICENSE mode change 100644 => 100755 vendor/github.com/unknwon/cae/README.md mode change 100644 => 100755 vendor/github.com/unknwon/cae/README_ZH.md mode change 100644 => 100755 vendor/github.com/unknwon/cae/cae.go mode change 100644 => 100755 vendor/github.com/unknwon/cae/zip/read.go mode change 100644 => 100755 vendor/github.com/unknwon/cae/zip/stream.go mode change 100644 => 100755 vendor/github.com/unknwon/cae/zip/write.go mode change 100644 => 100755 vendor/github.com/unknwon/cae/zip/zip.go mode change 100644 => 100755 vendor/github.com/unknwon/com/.gitignore mode change 100644 => 100755 vendor/github.com/unknwon/com/.travis.yml mode change 100644 => 100755 vendor/github.com/unknwon/com/LICENSE mode change 100644 => 100755 vendor/github.com/unknwon/com/README.md mode change 100644 => 100755 vendor/github.com/unknwon/com/cmd.go mode change 100644 => 100755 vendor/github.com/unknwon/com/convert.go mode change 100644 => 100755 vendor/github.com/unknwon/com/dir.go mode change 100644 => 100755 vendor/github.com/unknwon/com/file.go mode change 100644 => 100755 vendor/github.com/unknwon/com/go.mod mode change 100644 => 100755 vendor/github.com/unknwon/com/go.sum mode change 100644 => 100755 vendor/github.com/unknwon/com/html.go mode change 100644 => 100755 vendor/github.com/unknwon/com/http.go mode change 100644 => 100755 vendor/github.com/unknwon/com/math.go mode change 100644 => 100755 vendor/github.com/unknwon/com/path.go mode change 100644 => 100755 vendor/github.com/unknwon/com/regex.go mode change 100644 => 100755 vendor/github.com/unknwon/com/slice.go mode change 100644 => 100755 vendor/github.com/unknwon/com/string.go mode change 100644 => 100755 vendor/github.com/unknwon/com/time.go mode change 100644 => 100755 vendor/github.com/unknwon/com/url.go mode change 100644 => 100755 vendor/github.com/unknwon/i18n/.gitignore mode change 100644 => 100755 vendor/github.com/unknwon/i18n/LICENSE mode change 100644 => 100755 vendor/github.com/unknwon/i18n/Makefile mode change 100644 => 100755 vendor/github.com/unknwon/i18n/README.md mode change 100644 => 100755 vendor/github.com/unknwon/i18n/go.mod mode change 100644 => 100755 vendor/github.com/unknwon/i18n/go.sum mode change 100644 => 100755 vendor/github.com/unknwon/i18n/i18n.go mode change 100644 => 100755 vendor/github.com/unknwon/paginater/.gitignore mode change 100644 => 100755 vendor/github.com/unknwon/paginater/LICENSE mode change 100644 => 100755 vendor/github.com/unknwon/paginater/README.md mode change 100644 => 100755 vendor/github.com/unknwon/paginater/paginater.go mode change 100644 => 100755 vendor/github.com/urfave/cli/.flake8 mode change 100644 => 100755 vendor/github.com/urfave/cli/.gitignore mode change 100644 => 100755 vendor/github.com/urfave/cli/.travis.yml mode change 100644 => 100755 vendor/github.com/urfave/cli/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/urfave/cli/CODE_OF_CONDUCT.md mode change 100644 => 100755 vendor/github.com/urfave/cli/CONTRIBUTING.md mode change 100644 => 100755 vendor/github.com/urfave/cli/LICENSE mode change 100644 => 100755 vendor/github.com/urfave/cli/README.md mode change 100644 => 100755 vendor/github.com/urfave/cli/app.go mode change 100644 => 100755 vendor/github.com/urfave/cli/appveyor.yml mode change 100644 => 100755 vendor/github.com/urfave/cli/category.go mode change 100644 => 100755 vendor/github.com/urfave/cli/cli.go mode change 100644 => 100755 vendor/github.com/urfave/cli/command.go mode change 100644 => 100755 vendor/github.com/urfave/cli/context.go mode change 100644 => 100755 vendor/github.com/urfave/cli/docs.go mode change 100644 => 100755 vendor/github.com/urfave/cli/errors.go mode change 100644 => 100755 vendor/github.com/urfave/cli/fish.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_bool.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_bool_t.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_duration.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_float64.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_generic.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_int.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_int64.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_int64_slice.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_int_slice.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_string.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_string_slice.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_uint.go mode change 100644 => 100755 vendor/github.com/urfave/cli/flag_uint64.go mode change 100644 => 100755 vendor/github.com/urfave/cli/funcs.go mode change 100644 => 100755 vendor/github.com/urfave/cli/go.mod mode change 100644 => 100755 vendor/github.com/urfave/cli/go.sum mode change 100644 => 100755 vendor/github.com/urfave/cli/help.go mode change 100644 => 100755 vendor/github.com/urfave/cli/parse.go mode change 100644 => 100755 vendor/github.com/urfave/cli/sort.go mode change 100644 => 100755 vendor/github.com/urfave/cli/template.go mode change 100644 => 100755 vendor/github.com/willf/bitset/.gitignore mode change 100644 => 100755 vendor/github.com/willf/bitset/.travis.yml mode change 100644 => 100755 vendor/github.com/willf/bitset/LICENSE mode change 100644 => 100755 vendor/github.com/willf/bitset/Makefile mode change 100644 => 100755 vendor/github.com/willf/bitset/README.md mode change 100644 => 100755 vendor/github.com/willf/bitset/bitset.go mode change 100644 => 100755 vendor/github.com/willf/bitset/popcnt.go mode change 100644 => 100755 vendor/github.com/willf/bitset/popcnt_19.go mode change 100644 => 100755 vendor/github.com/willf/bitset/popcnt_amd64.go mode change 100644 => 100755 vendor/github.com/willf/bitset/popcnt_amd64.s mode change 100644 => 100755 vendor/github.com/willf/bitset/popcnt_generic.go mode change 100644 => 100755 vendor/github.com/willf/bitset/trailing_zeros_18.go mode change 100644 => 100755 vendor/github.com/willf/bitset/trailing_zeros_19.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/.gitignore mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/.travis.yml mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/CHANGELOG.md mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/LICENSE mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/README.md mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/access_requests.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/applications.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/award_emojis.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/boards.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/branches.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/broadcast_messages.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/ci_yml_templates.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/client_options.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/commits.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/custom_attributes.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/deploy_keys.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/deploy_tokens.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/deployments.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/discussions.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/environments.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/epics.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/event_parsing.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/event_systemhook_types.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/event_webhook_types.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/events.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/feature_flags.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/gitignore_templates.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/gitlab.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/go.mod mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/go.sum mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_badges.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_boards.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_clusters.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_hooks.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_labels.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_members.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_milestones.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/group_variables.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/groups.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/issue_links.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/issues.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/jobs.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/keys.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/labels.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/license.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/license_templates.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/merge_request_approvals.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/merge_requests.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/milestones.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/namespaces.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/notes.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/notifications.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/pages_domains.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/pipeline_schedules.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/pipeline_triggers.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/pipelines.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_badges.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_clusters.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_import_export.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_members.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_snippets.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/project_variables.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/projects.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/protected_branches.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/protected_tags.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/registry.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/releaselinks.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/releases.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/repositories.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/repository_files.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/request_options.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/resource_label_events.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/runners.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/search.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/services.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/settings.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/sidekiq_metrics.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/snippets.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/strings.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/system_hooks.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/tags.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/time_stats.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/todos.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/users.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/validate.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/version.go mode change 100644 => 100755 vendor/github.com/xanzy/go-gitlab/wikis.go mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/.gitignore mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/LICENSE mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/README.md mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/go.mod mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/go.sum mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/pageant_windows.go mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/sshagent.go mode change 100644 => 100755 vendor/github.com/xanzy/ssh-agent/sshagent_windows.go mode change 100644 => 100755 vendor/github.com/xdg/scram/.gitignore mode change 100644 => 100755 vendor/github.com/xdg/scram/.travis.yml mode change 100644 => 100755 vendor/github.com/xdg/scram/LICENSE mode change 100644 => 100755 vendor/github.com/xdg/scram/README.md mode change 100644 => 100755 vendor/github.com/xdg/scram/client.go mode change 100644 => 100755 vendor/github.com/xdg/scram/client_conv.go mode change 100644 => 100755 vendor/github.com/xdg/scram/common.go mode change 100644 => 100755 vendor/github.com/xdg/scram/doc.go mode change 100644 => 100755 vendor/github.com/xdg/scram/parse.go mode change 100644 => 100755 vendor/github.com/xdg/scram/scram.go mode change 100644 => 100755 vendor/github.com/xdg/scram/server.go mode change 100644 => 100755 vendor/github.com/xdg/scram/server_conv.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/.gitignore mode change 100644 => 100755 vendor/github.com/xdg/stringprep/.travis.yml mode change 100644 => 100755 vendor/github.com/xdg/stringprep/LICENSE mode change 100644 => 100755 vendor/github.com/xdg/stringprep/README.md mode change 100644 => 100755 vendor/github.com/xdg/stringprep/bidi.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/doc.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/error.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/map.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/profile.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/saslprep.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/set.go mode change 100644 => 100755 vendor/github.com/xdg/stringprep/tables.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/.travis.yml mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/LICENSE mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/README.md mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/discover.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/discovery_cache.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/getter.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/go.mod mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/go.sum mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/html_discovery.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/nonce_store.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/normalizer.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/openid.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/redirect.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/verify.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/xrds.go mode change 100644 => 100755 vendor/github.com/yohcop/openid-go/yadis_discovery.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/.gitignore mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/LICENSE mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/README.md mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/go.mod mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/go.sum mode change 100644 => 100755 vendor/github.com/yuin/goldmark-highlighting/highlighting.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/.gitignore mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/LICENSE mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/README.md mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/go.mod mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/go.sum mode change 100644 => 100755 vendor/github.com/yuin/goldmark-meta/meta.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/.gitignore mode change 100644 => 100755 vendor/github.com/yuin/goldmark/LICENSE mode change 100644 => 100755 vendor/github.com/yuin/goldmark/Makefile mode change 100644 => 100755 vendor/github.com/yuin/goldmark/README.md mode change 100644 => 100755 vendor/github.com/yuin/goldmark/ast/ast.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/ast/block.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/ast/inline.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/ast/definition_list.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/ast/footnote.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/ast/strikethrough.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/ast/table.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/ast/tasklist.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/definition_list.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/footnote.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/gfm.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/linkify.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/strikethrough.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/table.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/tasklist.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/extension/typographer.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/go.mod mode change 100644 => 100755 vendor/github.com/yuin/goldmark/go.sum mode change 100644 => 100755 vendor/github.com/yuin/goldmark/markdown.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/attribute.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/atx_heading.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/auto_link.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/blockquote.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/code_block.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/code_span.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/delimiter.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/emphasis.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/fcode_block.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/html_block.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/link.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/link_ref.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/list.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/list_item.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/paragraph.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/parser.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/raw_html.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/setext_headings.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/parser/thematic_break.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/renderer/html/html.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/renderer/renderer.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/text/reader.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/text/segment.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/util/html5entities.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/util/unicode_case_folding.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/util/util.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/util/util_safe.go mode change 100644 => 100755 vendor/github.com/yuin/goldmark/util/util_unsafe.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/.gitignore mode change 100644 => 100755 vendor/go.etcd.io/bbolt/.travis.yml mode change 100644 => 100755 vendor/go.etcd.io/bbolt/LICENSE mode change 100644 => 100755 vendor/go.etcd.io/bbolt/Makefile mode change 100644 => 100755 vendor/go.etcd.io/bbolt/README.md mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_386.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_amd64.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_arm.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_arm64.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_linux.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_mips64x.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_mipsx.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_openbsd.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_ppc.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_ppc64.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_ppc64le.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_riscv64.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_s390x.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_unix.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_unix_aix.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_unix_solaris.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bolt_windows.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/boltsync_unix.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/bucket.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/cursor.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/db.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/doc.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/errors.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/freelist.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/freelist_hmap.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/go.mod mode change 100644 => 100755 vendor/go.etcd.io/bbolt/go.sum mode change 100644 => 100755 vendor/go.etcd.io/bbolt/node.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/page.go mode change 100644 => 100755 vendor/go.etcd.io/bbolt/tx.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/LICENSE mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bson.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bson_1_8.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/bsoncodec.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_decoders.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_encoders.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/doc.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/mode.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/pointer_codec.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/proxy.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/registry.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_codec.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_tag_parser.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/types.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/copier.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/doc.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_parser.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_reader.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_tables.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_wrappers.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_writer.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/json_scanner.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/mode.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/reader.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_reader.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_writer.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsonrw/writer.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/bsontype/bsontype.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/decoder.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/doc.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/encoder.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/marshal.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/primitive/decimal.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/primitive/objectid.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/primitive/primitive.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/primitive_codecs.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/raw.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/raw_element.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/raw_value.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/registry.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/types.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/bson/unmarshal.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/event/monitoring.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/internal/const.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/internal/error.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/internal/semaphore.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/batch_cursor.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/bulk_write.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/bulk_write_models.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/change_stream.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/client.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/collection.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/cursor.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/database.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/doc.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/errors.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/index_options_builder.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/index_view.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/mongo.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/aggregateoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/bulkwriteoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/changestreamoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_10.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_9.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/collectionoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/countoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/dboptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/deleteoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/distinctoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/estimatedcountoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/findoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/gridfsoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/indexoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/insertoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/listcollectionsoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/listdatabasesoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/mongooptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/replaceoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/runcmdoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/sessionoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/transactionoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/options/updateoptions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/readconcern/readconcern.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/readpref/mode.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/readpref/options.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/readpref/readpref.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/results.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/session.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/single_result.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/util.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/mongo/writeconcern/writeconcern.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/tag/tag.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/version/version.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/array.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/bsoncore.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document_sequence.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/element.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/tables.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/value.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/constructor.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/document.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/element.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/mdocument.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/primitive_codecs.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/registry.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/bsonx/value.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/DESIGN.md mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/address/addr.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/auth.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/cred.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/default.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/doc.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_enabled.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_supported.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.c mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.h mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.c mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.h mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/mongodbcr.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/plain.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/sasl.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/scram.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/util.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/x509.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batch_cursor.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batches.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/connstring/connstring.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/description.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/feature.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_kind.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_selector.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology_kind.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version_range.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/dns/dns.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/driver.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/errors.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/legacy.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/list_collections_batch_cursor.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/command.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/ismaster.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/operation.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.toml mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation_legacy.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/client_session.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/cluster_clock.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/options.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/server_session.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/session_pool.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/DESIGN.md mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy_command_metadata.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_options.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/errors.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/fsm.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/pool.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/resource_pool.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server_options.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_10.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_9.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/uuid/uuid.go mode change 100644 => 100755 vendor/go.mongodb.org/mongo-driver/x/mongo/driver/wiremessage/wiremessage.go mode change 100644 => 100755 vendor/go.opencensus.io/.gitignore mode change 100644 => 100755 vendor/go.opencensus.io/.travis.yml mode change 100644 => 100755 vendor/go.opencensus.io/AUTHORS mode change 100644 => 100755 vendor/go.opencensus.io/CONTRIBUTING.md mode change 100644 => 100755 vendor/go.opencensus.io/Gopkg.lock mode change 100644 => 100755 vendor/go.opencensus.io/Gopkg.toml mode change 100644 => 100755 vendor/go.opencensus.io/LICENSE mode change 100644 => 100755 vendor/go.opencensus.io/Makefile mode change 100644 => 100755 vendor/go.opencensus.io/README.md mode change 100644 => 100755 vendor/go.opencensus.io/appveyor.yml mode change 100644 => 100755 vendor/go.opencensus.io/go.mod mode change 100644 => 100755 vendor/go.opencensus.io/go.sum mode change 100644 => 100755 vendor/go.opencensus.io/internal/internal.go mode change 100644 => 100755 vendor/go.opencensus.io/internal/sanitize.go mode change 100644 => 100755 vendor/go.opencensus.io/internal/tagencoding/tagencoding.go mode change 100644 => 100755 vendor/go.opencensus.io/internal/traceinternals.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/exemplar.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/label.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/metric.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/point.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/type_string.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricdata/unit.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricproducer/manager.go mode change 100644 => 100755 vendor/go.opencensus.io/metric/metricproducer/producer.go mode change 100644 => 100755 vendor/go.opencensus.io/opencensus.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/client.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/client_metrics.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/client_stats_handler.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/server.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/server_metrics.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/server_stats_handler.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/stats_common.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ocgrpc/trace_common.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/client.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/client_stats.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/propagation/b3/b3.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/route.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/server.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/span_annotating_client_trace.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/stats.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/trace.go mode change 100644 => 100755 vendor/go.opencensus.io/plugin/ochttp/wrapped_body.go mode change 100644 => 100755 vendor/go.opencensus.io/resource/resource.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/internal/record.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/measure.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/measure_float64.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/measure_int64.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/record.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/units.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/aggregation.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/aggregation_data.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/collector.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/export.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/view.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/view_to_metric.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/worker.go mode change 100644 => 100755 vendor/go.opencensus.io/stats/view/worker_commands.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/context.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/key.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/map.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/map_codec.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/metadata.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/profile_19.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/profile_not19.go mode change 100644 => 100755 vendor/go.opencensus.io/tag/validate.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/basetypes.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/config.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/doc.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/evictedqueue.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/export.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/internal/internal.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/lrumap.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/propagation/propagation.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/sampling.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/spanbucket.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/spanstore.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/status_codes.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/trace.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/trace_go11.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/trace_nongo11.go mode change 100644 => 100755 vendor/go.opencensus.io/trace/tracestate/tracestate.go mode change 100644 => 100755 vendor/golang.org/x/crypto/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/crypto/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/crypto/LICENSE mode change 100644 => 100755 vendor/golang.org/x/crypto/PATENTS mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/acme.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/autocert/autocert.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/autocert/cache.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/autocert/listener.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/autocert/renewal.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/http.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/jws.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/rfc8555.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/types.go mode change 100644 => 100755 vendor/golang.org/x/crypto/acme/version_go112.go mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/argon2.go mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/blake2b.go mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/blamka_amd64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/blamka_amd64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/blamka_generic.go mode change 100644 => 100755 vendor/golang.org/x/crypto/argon2/blamka_ref.go mode change 100644 => 100755 vendor/golang.org/x/crypto/bcrypt/base64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/bcrypt/bcrypt.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2b.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2b_amd64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2b_amd64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2b_generic.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2b_ref.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/blake2x.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blake2b/register.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blowfish/block.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blowfish/cipher.go mode change 100644 => 100755 vendor/golang.org/x/crypto/blowfish/const.go mode change 100644 => 100755 vendor/golang.org/x/crypto/cast5/cast5.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_arm64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_arm64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_generic.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_noasm.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.s mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_s390x.go mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/chacha_s390x.s mode change 100644 => 100755 vendor/golang.org/x/crypto/chacha20/xor.go mode change 100644 => 100755 vendor/golang.org/x/crypto/curve25519/curve25519.go mode change 100644 => 100755 vendor/golang.org/x/crypto/curve25519/curve25519_amd64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/curve25519/curve25519_amd64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/curve25519/curve25519_generic.go mode change 100644 => 100755 vendor/golang.org/x/crypto/curve25519/curve25519_noasm.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ed25519/ed25519.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ed25519/ed25519_go113.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ed25519/internal/edwards25519/const.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ed25519/internal/edwards25519/edwards25519.go mode change 100644 => 100755 vendor/golang.org/x/crypto/internal/subtle/aliasing.go mode change 100644 => 100755 vendor/golang.org/x/crypto/internal/subtle/aliasing_appengine.go mode change 100644 => 100755 vendor/golang.org/x/crypto/md4/md4.go mode change 100644 => 100755 vendor/golang.org/x/crypto/md4/md4block.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/armor/armor.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/armor/encode.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/canonical_text.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/elgamal/elgamal.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/errors/errors.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/keys.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/compressed.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/config.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/encrypted_key.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/literal.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/ocfb.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/one_pass_signature.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/opaque.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/packet.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/private_key.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/public_key.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/public_key_v3.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/reader.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/signature.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/signature_v3.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/symmetric_key_encrypted.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/symmetrically_encrypted.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/userattribute.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/packet/userid.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/read.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/s2k/s2k.go mode change 100644 => 100755 vendor/golang.org/x/crypto/openpgp/write.go mode change 100644 => 100755 vendor/golang.org/x/crypto/pbkdf2/pbkdf2.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/bits_compat.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/bits_go1.13.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/mac_noasm.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/poly1305.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_amd64.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_amd64.s mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_generic.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_ppc64le.s mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_s390x.go mode change 100644 => 100755 vendor/golang.org/x/crypto/poly1305/sum_s390x.s mode change 100644 => 100755 vendor/golang.org/x/crypto/scrypt/scrypt.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/agent/client.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/agent/forward.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/agent/keyring.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/agent/server.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/buffer.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/certs.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/channel.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/cipher.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/client.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/client_auth.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/common.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/connection.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/doc.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/handshake.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/internal/bcrypt_pbkdf/bcrypt_pbkdf.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/kex.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/keys.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/knownhosts/knownhosts.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/mac.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/messages.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/mux.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/server.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/session.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/ssh_gss.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/streamlocal.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/tcpip.go mode change 100644 => 100755 vendor/golang.org/x/crypto/ssh/transport.go mode change 100644 => 100755 vendor/golang.org/x/image/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/image/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/image/LICENSE mode change 100644 => 100755 vendor/golang.org/x/image/PATENTS mode change 100644 => 100755 vendor/golang.org/x/image/bmp/reader.go mode change 100644 => 100755 vendor/golang.org/x/image/bmp/writer.go mode change 100644 => 100755 vendor/golang.org/x/image/ccitt/reader.go mode change 100644 => 100755 vendor/golang.org/x/image/ccitt/table.go mode change 100644 => 100755 vendor/golang.org/x/image/ccitt/writer.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/buffer.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/compress.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/consts.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/fuzz.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/lzw/reader.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/reader.go mode change 100644 => 100755 vendor/golang.org/x/image/tiff/writer.go mode change 100644 => 100755 vendor/golang.org/x/mod/LICENSE mode change 100644 => 100755 vendor/golang.org/x/mod/PATENTS mode change 100644 => 100755 vendor/golang.org/x/mod/module/module.go mode change 100644 => 100755 vendor/golang.org/x/mod/semver/semver.go mode change 100644 => 100755 vendor/golang.org/x/net/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/net/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/net/LICENSE mode change 100644 => 100755 vendor/golang.org/x/net/PATENTS mode change 100644 => 100755 vendor/golang.org/x/net/context/context.go mode change 100644 => 100755 vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go mode change 100644 => 100755 vendor/golang.org/x/net/context/go17.go mode change 100644 => 100755 vendor/golang.org/x/net/context/go19.go mode change 100644 => 100755 vendor/golang.org/x/net/context/pre_go17.go mode change 100644 => 100755 vendor/golang.org/x/net/context/pre_go19.go mode change 100644 => 100755 vendor/golang.org/x/net/html/atom/atom.go mode change 100644 => 100755 vendor/golang.org/x/net/html/atom/table.go mode change 100644 => 100755 vendor/golang.org/x/net/html/charset/charset.go mode change 100644 => 100755 vendor/golang.org/x/net/html/const.go mode change 100644 => 100755 vendor/golang.org/x/net/html/doc.go mode change 100644 => 100755 vendor/golang.org/x/net/html/doctype.go mode change 100644 => 100755 vendor/golang.org/x/net/html/entity.go mode change 100644 => 100755 vendor/golang.org/x/net/html/escape.go mode change 100644 => 100755 vendor/golang.org/x/net/html/foreign.go mode change 100644 => 100755 vendor/golang.org/x/net/html/node.go mode change 100644 => 100755 vendor/golang.org/x/net/html/parse.go mode change 100644 => 100755 vendor/golang.org/x/net/html/render.go mode change 100644 => 100755 vendor/golang.org/x/net/html/token.go mode change 100644 => 100755 vendor/golang.org/x/net/http/httpguts/guts.go mode change 100644 => 100755 vendor/golang.org/x/net/http/httpguts/httplex.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/.gitignore mode change 100644 => 100755 vendor/golang.org/x/net/http2/Dockerfile mode change 100644 => 100755 vendor/golang.org/x/net/http2/Makefile mode change 100644 => 100755 vendor/golang.org/x/net/http2/README mode change 100644 => 100755 vendor/golang.org/x/net/http2/ciphers.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/client_conn_pool.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/databuffer.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/errors.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/flow.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/frame.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/go111.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/gotrack.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/headermap.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/hpack/encode.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/hpack/hpack.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/hpack/huffman.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/hpack/tables.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/http2.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/not_go111.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/pipe.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/server.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/transport.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/write.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/writesched.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/writesched_priority.go mode change 100644 => 100755 vendor/golang.org/x/net/http2/writesched_random.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/idna10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/idna9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/punycode.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/tables10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/tables11.0.0.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/tables12.00.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/tables9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/trie.go mode change 100644 => 100755 vendor/golang.org/x/net/idna/trieval.go mode change 100644 => 100755 vendor/golang.org/x/net/internal/socks/client.go mode change 100644 => 100755 vendor/golang.org/x/net/internal/socks/socks.go mode change 100644 => 100755 vendor/golang.org/x/net/internal/timeseries/timeseries.go mode change 100644 => 100755 vendor/golang.org/x/net/proxy/dial.go mode change 100644 => 100755 vendor/golang.org/x/net/proxy/direct.go mode change 100644 => 100755 vendor/golang.org/x/net/proxy/per_host.go mode change 100644 => 100755 vendor/golang.org/x/net/proxy/proxy.go mode change 100644 => 100755 vendor/golang.org/x/net/proxy/socks5.go mode change 100644 => 100755 vendor/golang.org/x/net/publicsuffix/list.go mode change 100644 => 100755 vendor/golang.org/x/net/publicsuffix/table.go mode change 100644 => 100755 vendor/golang.org/x/net/trace/events.go mode change 100644 => 100755 vendor/golang.org/x/net/trace/histogram.go mode change 100644 => 100755 vendor/golang.org/x/net/trace/trace.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/.travis.yml mode change 100644 => 100755 vendor/golang.org/x/oauth2/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/oauth2/CONTRIBUTING.md mode change 100644 => 100755 vendor/golang.org/x/oauth2/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/oauth2/LICENSE mode change 100644 => 100755 vendor/golang.org/x/oauth2/README.md mode change 100644 => 100755 vendor/golang.org/x/oauth2/go.mod mode change 100644 => 100755 vendor/golang.org/x/oauth2/go.sum mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/appengine.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/appengine_gen1.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/appengine_gen2_flex.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/default.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/doc.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/google.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/jwt.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/google/sdk.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/internal/client_appengine.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/internal/doc.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/internal/oauth2.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/internal/token.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/internal/transport.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/jws/jws.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/jwt/jwt.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/oauth2.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/token.go mode change 100644 => 100755 vendor/golang.org/x/oauth2/transport.go mode change 100644 => 100755 vendor/golang.org/x/sync/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/sync/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/sync/LICENSE mode change 100644 => 100755 vendor/golang.org/x/sync/PATENTS mode change 100644 => 100755 vendor/golang.org/x/sync/errgroup/errgroup.go mode change 100644 => 100755 vendor/golang.org/x/sync/semaphore/semaphore.go mode change 100644 => 100755 vendor/golang.org/x/sys/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/sys/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/sys/LICENSE mode change 100644 => 100755 vendor/golang.org/x/sys/PATENTS mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/asm_aix_ppc64.s mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/byteorder.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gc_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gc_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gc_x86.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gccgo_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gccgo_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.c mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_mips64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_noinit.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_ppc64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_mips64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_mipsx.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_other_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_s390x.s mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_wasm.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_x86.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/cpu_x86.s mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/hwcap_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/cpu/syscall_aix_ppc64_gc.go mode change 100644 => 100755 vendor/golang.org/x/sys/internal/unsafeheader/unsafeheader.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/.gitignore mode change 100644 => 100755 vendor/golang.org/x/sys/unix/README.md mode change 100644 => 100755 vendor/golang.org/x/sys/unix/affinity_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/aliases.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_aix_ppc64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_darwin_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_darwin_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_darwin_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_darwin_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_dragonfly_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_freebsd_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_freebsd_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_freebsd_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_freebsd_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_mips64x.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_mipsx.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_ppc64x.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_riscv64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_linux_s390x.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_netbsd_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_netbsd_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_netbsd_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_netbsd_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_openbsd_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_openbsd_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_openbsd_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_openbsd_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/asm_solaris_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/bluetooth_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/cap_freebsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/constants.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_aix_ppc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_darwin.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_dragonfly.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_freebsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_netbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dev_openbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/dirent.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/endian_big.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/endian_little.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/env_unix.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/errors_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/errors_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/errors_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/errors_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/fcntl.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/fcntl_darwin.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/fcntl_linux_32bit.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/fdset.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/gccgo.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/gccgo_c.c mode change 100644 => 100755 vendor/golang.org/x/sys/unix/gccgo_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ioctl.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/mkall.sh mode change 100644 => 100755 vendor/golang.org/x/sys/unix/mkerrors.sh mode change 100644 => 100755 vendor/golang.org/x/sys/unix/pagesize_unix.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/pledge_openbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/race.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/race0.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/readdirent_getdents.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/readdirent_getdirentries.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/sockcmsg_dragonfly.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/sockcmsg_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/sockcmsg_unix.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/sockcmsg_unix_other.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/str.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_aix.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_aix_ppc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_bsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin.1_12.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin.1_13.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_386.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_amd64.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_arm.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_arm64.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_darwin_libSystem.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_dragonfly.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_dragonfly_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_freebsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_illumos.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_amd64_gc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_gc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_gc_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_gccgo_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_gccgo_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_mips64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_mipsx.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_ppc64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_linux_sparc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_netbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_netbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_netbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_netbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_netbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_openbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_solaris.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_solaris_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_unix.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_unix_gc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/syscall_unix_gc_ppc64x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/timestruct.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/unveil_openbsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/xattr_bsd.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_aix_ppc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_darwin_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_darwin_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_darwin_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_darwin_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_dragonfly_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_mips.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_mips64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_mips64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_mipsle.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_linux_sparc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_netbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_netbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_netbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_netbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zerrors_solaris_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zptrace_armnn_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zptrace_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zptrace_mipsnn_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zptrace_mipsnnle_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zptrace_x86_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gccgo.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_11.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.s mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_dragonfly_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_illumos_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_mips.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_mips64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_mips64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_mipsle.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_linux_sparc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_netbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_netbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsyscall_solaris_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysctl_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysctl_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_darwin_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_darwin_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_darwin_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_darwin_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_dragonfly_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_mips.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_mips64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_mips64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_mipsle.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_linux_sparc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_netbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_netbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_aix_ppc.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_aix_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_darwin_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_darwin_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_darwin_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_darwin_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_dragonfly_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_freebsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_freebsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_freebsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_freebsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_mips.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_mips64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_mips64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_mipsle.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_ppc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_ppc64le.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_riscv64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_s390x.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_linux_sparc64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_netbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_netbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_netbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_netbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_openbsd_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_openbsd_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_openbsd_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_openbsd_arm64.go mode change 100644 => 100755 vendor/golang.org/x/sys/unix/ztypes_solaris_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/aliases.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/dll_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/empty.s mode change 100644 => 100755 vendor/golang.org/x/sys/windows/env_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/eventlog.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/exec_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/memory_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/mkerrors.bash mode change 100644 => 100755 vendor/golang.org/x/sys/windows/mkknownfolderids.bash mode change 100644 => 100755 vendor/golang.org/x/sys/windows/mksyscall.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/race.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/race0.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/security_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/service.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/str.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/debug/log.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/debug/service.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/event.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/go12.c mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/go12.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/go13.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/security.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/service.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/sys_386.s mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/sys_amd64.s mode change 100644 => 100755 vendor/golang.org/x/sys/windows/svc/sys_arm.s mode change 100644 => 100755 vendor/golang.org/x/sys/windows/syscall.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/syscall_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/types_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/types_windows_386.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/types_windows_amd64.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/types_windows_arm.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/zerrors_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/zknownfolderids_windows.go mode change 100644 => 100755 vendor/golang.org/x/sys/windows/zsyscall_windows.go mode change 100644 => 100755 vendor/golang.org/x/text/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/text/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/text/LICENSE mode change 100644 => 100755 vendor/golang.org/x/text/PATENTS mode change 100644 => 100755 vendor/golang.org/x/text/encoding/charmap/charmap.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/charmap/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/encoding.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/htmlindex/htmlindex.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/htmlindex/map.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/htmlindex/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/internal/identifier/identifier.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/internal/identifier/mib.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/internal/internal.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/japanese/all.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/japanese/eucjp.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/japanese/iso2022jp.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/japanese/shiftjis.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/japanese/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/korean/euckr.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/korean/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/simplifiedchinese/all.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/simplifiedchinese/gbk.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/simplifiedchinese/hzgb2312.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/simplifiedchinese/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/traditionalchinese/big5.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/traditionalchinese/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/unicode/override.go mode change 100644 => 100755 vendor/golang.org/x/text/encoding/unicode/unicode.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/common.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact/compact.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact/language.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact/parents.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compact/tags.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/compose.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/coverage.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/language.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/lookup.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/match.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/parse.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/language/tags.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/tag/tag.go mode change 100644 => 100755 vendor/golang.org/x/text/internal/utf8internal/utf8internal.go mode change 100644 => 100755 vendor/golang.org/x/text/language/coverage.go mode change 100644 => 100755 vendor/golang.org/x/text/language/doc.go mode change 100644 => 100755 vendor/golang.org/x/text/language/go1_1.go mode change 100644 => 100755 vendor/golang.org/x/text/language/go1_2.go mode change 100644 => 100755 vendor/golang.org/x/text/language/language.go mode change 100644 => 100755 vendor/golang.org/x/text/language/match.go mode change 100644 => 100755 vendor/golang.org/x/text/language/parse.go mode change 100644 => 100755 vendor/golang.org/x/text/language/tables.go mode change 100644 => 100755 vendor/golang.org/x/text/language/tags.go mode change 100644 => 100755 vendor/golang.org/x/text/runes/cond.go mode change 100644 => 100755 vendor/golang.org/x/text/runes/runes.go mode change 100644 => 100755 vendor/golang.org/x/text/secure/bidirule/bidirule.go mode change 100644 => 100755 vendor/golang.org/x/text/secure/bidirule/bidirule10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/secure/bidirule/bidirule9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/transform/transform.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/bidi.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/bracket.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/core.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/prop.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/tables10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/tables11.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/tables9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/bidi/trieval.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/composition.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/forminfo.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/input.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/iter.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/normalize.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/readwriter.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/tables10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/tables11.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/tables9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/transform.go mode change 100644 => 100755 vendor/golang.org/x/text/unicode/norm/trie.go mode change 100644 => 100755 vendor/golang.org/x/text/width/kind_string.go mode change 100644 => 100755 vendor/golang.org/x/text/width/tables10.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/width/tables11.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/width/tables9.0.0.go mode change 100644 => 100755 vendor/golang.org/x/text/width/transform.go mode change 100644 => 100755 vendor/golang.org/x/text/width/trieval.go mode change 100644 => 100755 vendor/golang.org/x/text/width/width.go mode change 100644 => 100755 vendor/golang.org/x/time/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/time/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/time/LICENSE mode change 100644 => 100755 vendor/golang.org/x/time/PATENTS mode change 100644 => 100755 vendor/golang.org/x/time/rate/rate.go mode change 100644 => 100755 vendor/golang.org/x/tools/AUTHORS mode change 100644 => 100755 vendor/golang.org/x/tools/CONTRIBUTORS mode change 100644 => 100755 vendor/golang.org/x/tools/LICENSE mode change 100644 => 100755 vendor/golang.org/x/tools/PATENTS mode change 100644 => 100755 vendor/golang.org/x/tools/cover/profile.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/analysis.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/diagnostic.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/doc.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/internal/analysisflags/flags.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/internal/analysisflags/help.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/internal/facts/facts.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/internal/facts/imports.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker112.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/analysis/validate.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/ast/astutil/enclosing.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/ast/astutil/imports.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/ast/astutil/rewrite.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/ast/astutil/util.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/buildutil/allpackages.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/buildutil/fakecontext.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/buildutil/overlay.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/buildutil/tags.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/buildutil/util.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/gcexportdata/importer.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/cgo/cgo.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/exportdata.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/gcimporter.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/iexport.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/iimport.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/newInterface10.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/gcimporter/newInterface11.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/internal/packagesdriver/sizes.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/loader/doc.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/loader/loader.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/loader/util.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/doc.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/external.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/golist.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/golist_overlay.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/loadmode_string.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/packages.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/packages/visit.go mode change 100644 => 100755 vendor/golang.org/x/tools/go/types/objectpath/objectpath.go mode change 100644 => 100755 vendor/golang.org/x/tools/imports/forward.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/analysisinternal/analysis.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/core/event.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/core/export.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/core/fast.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/doc.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/event.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/keys/keys.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/keys/standard.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/event/label/label.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_fileno.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_ino.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_bsd.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_linux.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_portable.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/fastwalk/fastwalk_unix.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/gocommand/invoke.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/gopathwalk/walk.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/fix.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/imports.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/mod.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/mod_cache.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/sortimports.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/imports/zstdlib.go mode change 100644 => 100755 vendor/golang.org/x/tools/internal/packagesinternal/packages.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/LICENSE mode change 100644 => 100755 vendor/golang.org/x/xerrors/PATENTS mode change 100644 => 100755 vendor/golang.org/x/xerrors/README mode change 100644 => 100755 vendor/golang.org/x/xerrors/adaptor.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/codereview.cfg mode change 100644 => 100755 vendor/golang.org/x/xerrors/doc.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/errors.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/fmt.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/format.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/frame.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/go.mod mode change 100644 => 100755 vendor/golang.org/x/xerrors/internal/internal.go mode change 100644 => 100755 vendor/golang.org/x/xerrors/wrap.go mode change 100644 => 100755 vendor/google.golang.org/api/AUTHORS mode change 100644 => 100755 vendor/google.golang.org/api/CONTRIBUTORS mode change 100644 => 100755 vendor/google.golang.org/api/LICENSE mode change 100644 => 100755 vendor/google.golang.org/api/googleapi/transport/apikey.go mode change 100644 => 100755 vendor/google.golang.org/api/internal/creds.go mode change 100644 => 100755 vendor/google.golang.org/api/internal/pool.go mode change 100644 => 100755 vendor/google.golang.org/api/internal/service-account.json mode change 100644 => 100755 vendor/google.golang.org/api/internal/settings.go mode change 100644 => 100755 vendor/google.golang.org/api/iterator/iterator.go mode change 100644 => 100755 vendor/google.golang.org/api/option/credentials_go19.go mode change 100644 => 100755 vendor/google.golang.org/api/option/credentials_notgo19.go mode change 100644 => 100755 vendor/google.golang.org/api/option/option.go mode change 100644 => 100755 vendor/google.golang.org/api/support/bundler/bundler.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/dial.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/doc.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/go19.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/grpc/dial.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/grpc/dial_appengine.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/grpc/dial_socketopt.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/http/dial.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/http/dial_appengine.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/http/internal/propagation/http.go mode change 100644 => 100755 vendor/google.golang.org/api/transport/not_go19.go mode change 100644 => 100755 vendor/google.golang.org/appengine/.travis.yml mode change 100644 => 100755 vendor/google.golang.org/appengine/CONTRIBUTING.md mode change 100644 => 100755 vendor/google.golang.org/appengine/LICENSE mode change 100644 => 100755 vendor/google.golang.org/appengine/README.md mode change 100644 => 100755 vendor/google.golang.org/appengine/appengine.go mode change 100644 => 100755 vendor/google.golang.org/appengine/appengine_vm.go mode change 100644 => 100755 vendor/google.golang.org/appengine/cloudsql/cloudsql.go mode change 100644 => 100755 vendor/google.golang.org/appengine/cloudsql/cloudsql_classic.go mode change 100644 => 100755 vendor/google.golang.org/appengine/cloudsql/cloudsql_vm.go mode change 100644 => 100755 vendor/google.golang.org/appengine/errors.go mode change 100644 => 100755 vendor/google.golang.org/appengine/go.mod mode change 100644 => 100755 vendor/google.golang.org/appengine/go.sum mode change 100644 => 100755 vendor/google.golang.org/appengine/identity.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/api.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/api_classic.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/api_common.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/app_id.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/base/api_base.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/base/api_base.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/datastore/datastore_v3.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/datastore/datastore_v3.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/identity.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/identity_classic.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/identity_flex.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/identity_vm.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/internal.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/log/log_service.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/log/log_service.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/main.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/main_common.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/main_vm.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/metadata.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/modules/modules_service.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/modules/modules_service.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/net.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/regen.sh mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/remote_api/remote_api.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/remote_api/remote_api.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/socket/socket_service.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/socket/socket_service.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/transaction.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.pb.go mode change 100644 => 100755 vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.proto mode change 100644 => 100755 vendor/google.golang.org/appengine/namespace.go mode change 100644 => 100755 vendor/google.golang.org/appengine/socket/doc.go mode change 100644 => 100755 vendor/google.golang.org/appengine/socket/socket_classic.go mode change 100644 => 100755 vendor/google.golang.org/appengine/socket/socket_vm.go mode change 100644 => 100755 vendor/google.golang.org/appengine/timeout.go mode change 100644 => 100755 vendor/google.golang.org/appengine/travis_install.sh mode change 100644 => 100755 vendor/google.golang.org/appengine/travis_test.sh mode change 100644 => 100755 vendor/google.golang.org/appengine/urlfetch/urlfetch.go mode change 100644 => 100755 vendor/google.golang.org/genproto/LICENSE mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/api/annotations/annotations.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/api/annotations/client.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/api/annotations/field_behavior.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/api/annotations/http.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/api/annotations/resource.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/iam/v1/iam_policy.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/iam/v1/options.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/iam/v1/policy.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/pubsub/v1/pubsub.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/rpc/status/status.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/googleapis/type/expr/expr.pb.go mode change 100644 => 100755 vendor/google.golang.org/genproto/protobuf/field_mask/field_mask.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/.travis.yml mode change 100644 => 100755 vendor/google.golang.org/grpc/AUTHORS mode change 100644 => 100755 vendor/google.golang.org/grpc/CONTRIBUTING.md mode change 100644 => 100755 vendor/google.golang.org/grpc/LICENSE mode change 100644 => 100755 vendor/google.golang.org/grpc/Makefile mode change 100644 => 100755 vendor/google.golang.org/grpc/README.md mode change 100644 => 100755 vendor/google.golang.org/grpc/backoff.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/balancer.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/base/balancer.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/base/base.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpc_lb_v1/load_balancer.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpclb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpclb_config.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpclb_picker.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpclb_remote_balancer.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/grpclb_util.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/grpclb/regenerate.sh mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer/roundrobin/roundrobin.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer_conn_wrappers.go mode change 100644 => 100755 vendor/google.golang.org/grpc/balancer_v1_wrapper.go mode change 100644 => 100755 vendor/google.golang.org/grpc/binarylog/grpc_binarylog_v1/binarylog.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/call.go mode change 100644 => 100755 vendor/google.golang.org/grpc/clientconn.go mode change 100644 => 100755 vendor/google.golang.org/grpc/codec.go mode change 100644 => 100755 vendor/google.golang.org/grpc/codegen.sh mode change 100644 => 100755 vendor/google.golang.org/grpc/codes/code_string.go mode change 100644 => 100755 vendor/google.golang.org/grpc/codes/codes.go mode change 100644 => 100755 vendor/google.golang.org/grpc/connectivity/connectivity.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/alts.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/authinfo/authinfo.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/common.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/aeadrekey.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcm.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcmrekey.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/common.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/counter.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/record.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/conn/utils.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/handshaker.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/service/service.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/altscontext.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/handshaker.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/transport_security_common.pb.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/internal/regenerate.sh mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/alts/utils.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/credentials.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/google/google.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/internal/syscallconn.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/internal/syscallconn_appengine.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/oauth/oauth.go mode change 100644 => 100755 vendor/google.golang.org/grpc/credentials/tls13.go mode change 100644 => 100755 vendor/google.golang.org/grpc/dialoptions.go mode change 100644 => 100755 vendor/google.golang.org/grpc/doc.go mode change 100644 => 100755 vendor/google.golang.org/grpc/encoding/encoding.go mode change 100644 => 100755 vendor/google.golang.org/grpc/encoding/proto/proto.go mode change 100644 => 100755 vendor/google.golang.org/grpc/go.mod mode change 100644 => 100755 vendor/google.golang.org/grpc/go.sum mode change 100644 => 100755 vendor/google.golang.org/grpc/grpclog/grpclog.go mode change 100644 => 100755 vendor/google.golang.org/grpc/grpclog/logger.go mode change 100644 => 100755 vendor/google.golang.org/grpc/grpclog/loggerv2.go mode change 100644 => 100755 vendor/google.golang.org/grpc/install_gae.sh mode change 100644 => 100755 vendor/google.golang.org/grpc/interceptor.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/backoff/backoff.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/balancerload/load.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/binarylog.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/binarylog_testutil.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/env_config.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/method_logger.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/regenerate.sh mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/sink.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/binarylog/util.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/funcs.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/types.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/types_linux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/types_nonlinux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/util_linux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/channelz/util_nonlinux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/envconfig/envconfig.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/grpcrand/grpcrand.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/grpcsync/event.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/internal.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/syscall/syscall_linux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/syscall/syscall_nonlinux.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/bdp_estimator.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/controlbuf.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/defaults.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/flowcontrol.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/handler_server.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/http2_client.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/http2_server.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/http_util.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/log.go mode change 100644 => 100755 vendor/google.golang.org/grpc/internal/transport/transport.go mode change 100644 => 100755 vendor/google.golang.org/grpc/keepalive/keepalive.go mode change 100644 => 100755 vendor/google.golang.org/grpc/metadata/metadata.go mode change 100644 => 100755 vendor/google.golang.org/grpc/naming/dns_resolver.go mode change 100644 => 100755 vendor/google.golang.org/grpc/naming/naming.go mode change 100644 => 100755 vendor/google.golang.org/grpc/peer/peer.go mode change 100644 => 100755 vendor/google.golang.org/grpc/picker_wrapper.go mode change 100644 => 100755 vendor/google.golang.org/grpc/pickfirst.go mode change 100644 => 100755 vendor/google.golang.org/grpc/preloader.go mode change 100644 => 100755 vendor/google.golang.org/grpc/proxy.go mode change 100644 => 100755 vendor/google.golang.org/grpc/resolver/dns/dns_resolver.go mode change 100644 => 100755 vendor/google.golang.org/grpc/resolver/passthrough/passthrough.go mode change 100644 => 100755 vendor/google.golang.org/grpc/resolver/resolver.go mode change 100644 => 100755 vendor/google.golang.org/grpc/resolver_conn_wrapper.go mode change 100644 => 100755 vendor/google.golang.org/grpc/rpc_util.go mode change 100644 => 100755 vendor/google.golang.org/grpc/server.go mode change 100644 => 100755 vendor/google.golang.org/grpc/service_config.go mode change 100644 => 100755 vendor/google.golang.org/grpc/stats/handlers.go mode change 100644 => 100755 vendor/google.golang.org/grpc/stats/stats.go mode change 100644 => 100755 vendor/google.golang.org/grpc/status/status.go mode change 100644 => 100755 vendor/google.golang.org/grpc/stream.go mode change 100644 => 100755 vendor/google.golang.org/grpc/tap/tap.go mode change 100644 => 100755 vendor/google.golang.org/grpc/trace.go mode change 100644 => 100755 vendor/google.golang.org/grpc/version.go mode change 100644 => 100755 vendor/google.golang.org/grpc/vet.sh mode change 100644 => 100755 vendor/google.golang.org/protobuf/AUTHORS mode change 100644 => 100755 vendor/google.golang.org/protobuf/CONTRIBUTORS mode change 100644 => 100755 vendor/google.golang.org/protobuf/LICENSE mode change 100644 => 100755 vendor/google.golang.org/protobuf/PATENTS mode change 100644 => 100755 vendor/google.golang.org/protobuf/encoding/prototext/decode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/encoding/prototext/doc.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/encoding/prototext/encode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/encoding/protowire/wire.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/descfmt/stringer.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/descopts/options.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/detrand/rand.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/defval/default.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/messageset/messageset.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/tag/tag.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/decode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/decode_number.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/decode_string.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/decode_token.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/doc.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/encoding/text/encode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/errors/errors.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/errors/is_go112.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/errors/is_go113.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/any_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/api_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/descriptor_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/doc.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/duration_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/empty_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/field_mask_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/source_context_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/struct_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/timestamp_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/type_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldnum/wrappers_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/fieldsort/fieldsort.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/build.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/desc.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/desc_init.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/desc_lazy.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/desc_list.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/desc_list_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filedesc/placeholder.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/filetype/build.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/flags/flags.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/flags/proto_legacy_disable.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/flags/proto_legacy_enable.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/genname/name.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/api_export.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/checkinit.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_extension.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_field.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_map.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_map_go111.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_map_go112.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_message.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_messageset.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_reflect.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_tables.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/codec_unsafe.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/convert.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/convert_list.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/convert_map.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/decode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/encode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/enum.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/extension.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/legacy_enum.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/legacy_export.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/legacy_extension.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/legacy_file.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/legacy_message.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/merge.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/merge_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/message.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/message_reflect.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/message_reflect_field.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/message_reflect_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/pointer_reflect.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/pointer_unsafe.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/validate.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/impl/weak.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/mapsort/mapsort.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/pragma/pragma.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/set/ints.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/strs/strings.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/strs/strings_pure.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/strs/strings_unsafe.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/internal/version/version.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/checkinit.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/decode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/decode_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/doc.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/encode.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/encode_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/equal.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/extension.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/merge.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/messageset.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/proto.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/proto_methods.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/proto_reflect.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/reset.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/size.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/size_gen.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/proto/wrappers.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/methods.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/proto.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/source.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/type.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/value.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/value_pure.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/value_union.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoreflect/value_unsafe.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/reflect/protoregistry/registry.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/runtime/protoiface/legacy.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/runtime/protoiface/methods.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/runtime/protoimpl/impl.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/runtime/protoimpl/version.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/types/descriptorpb/descriptor.pb.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/types/known/anypb/any.pb.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/types/known/durationpb/duration.pb.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/types/known/emptypb/empty.pb.go mode change 100644 => 100755 vendor/google.golang.org/protobuf/types/known/timestamppb/timestamp.pb.go mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/LICENSE mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/README.md mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/encodedword.go mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool.go mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool_go12.go mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/reader.go mode change 100644 => 100755 vendor/gopkg.in/alexcesaro/quotedprintable.v3/writer.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/LICENSE mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/README.md mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/ber.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/content_int.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/header.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/identifier.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/length.go mode change 100644 => 100755 vendor/gopkg.in/asn1-ber.v1/util.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/CHANGELOG.md mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/CONTRIBUTING.md mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/LICENSE mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/README.md mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/auth.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/doc.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/message.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/mime.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/mime_go14.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/send.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/smtp.go mode change 100644 => 100755 vendor/gopkg.in/gomail.v2/writeto.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/.gitignore mode change 100644 => 100755 vendor/gopkg.in/ini.v1/LICENSE mode change 100644 => 100755 vendor/gopkg.in/ini.v1/Makefile mode change 100644 => 100755 vendor/gopkg.in/ini.v1/README.md mode change 100644 => 100755 vendor/gopkg.in/ini.v1/codecov.yml mode change 100644 => 100755 vendor/gopkg.in/ini.v1/data_source.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/deprecated.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/error.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/file.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/helper.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/ini.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/key.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/parser.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/section.go mode change 100644 => 100755 vendor/gopkg.in/ini.v1/struct.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/.gitignore mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/CONTRIBUTING.md mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/LICENSE mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/Makefile mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/README.md mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/add.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/bind.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/client.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/compare.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/conn.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/control.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/debug.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/del.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/dn.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/doc.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/error.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/filter.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/ldap.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/moddn.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/modify.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/passwdmodify.go mode change 100644 => 100755 vendor/gopkg.in/ldap.v3/search.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/.gitignore mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/LICENSE mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/README.md mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/codecov.yml mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/context.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/go.mod mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/go.sum mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/logger.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/macaron.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/macaronlogo.png mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/recovery.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/render.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/response_writer.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/return_handler.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/router.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/static.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/tree.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/util_go17.go mode change 100644 => 100755 vendor/gopkg.in/macaron.v1/util_go18.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/.editorconfig mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/.gitattributes mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/.gitignore mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/.sample.env mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/LICENSE mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/README.md mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/Taskfile.yml mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/appveyor.yml mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/deprecated.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/errors.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/generate.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/helper.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/json.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/mysql.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/options.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/oracle.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/postgresql.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/sqlite.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/sqlserver.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/testfixtures.go mode change 100644 => 100755 vendor/gopkg.in/testfixtures.v2/time.go mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/.gitignore mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/LICENSE mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/README.md mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/bytes.go mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/lib.go mode change 100644 => 100755 vendor/gopkg.in/toqueteos/substring.v1/string.go mode change 100644 => 100755 vendor/gopkg.in/warnings.v0/LICENSE mode change 100644 => 100755 vendor/gopkg.in/warnings.v0/README mode change 100644 => 100755 vendor/gopkg.in/warnings.v0/warnings.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/LICENSE mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/LICENSE.libyaml mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/NOTICE mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/README.md mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/apic.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/decode.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/emitterc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/encode.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/go.mod mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/parserc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/readerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/resolve.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/scannerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/sorter.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/writerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/yaml.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/yamlh.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v2/yamlprivateh.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/.travis.yml mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/LICENSE mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/NOTICE mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/README.md mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/apic.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/decode.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/emitterc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/encode.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/go.mod mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/parserc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/readerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/resolve.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/scannerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/sorter.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/writerc.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/yaml.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/yamlh.go mode change 100644 => 100755 vendor/gopkg.in/yaml.v3/yamlprivateh.go mode change 100644 => 100755 vendor/modules.txt mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/.gitignore mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/LICENSE mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/README.md mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/go.mod mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/go.sum mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/schemes.go mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/tlds.go mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/tlds_pseudo.go mode change 100644 => 100755 vendor/mvdan.cc/xurls/v2/xurls.go mode change 100644 => 100755 vendor/strk.kbt.io/projects/go/libravatar/.editorconfig mode change 100644 => 100755 vendor/strk.kbt.io/projects/go/libravatar/LICENSE mode change 100644 => 100755 vendor/strk.kbt.io/projects/go/libravatar/Makefile mode change 100644 => 100755 vendor/strk.kbt.io/projects/go/libravatar/README.md mode change 100644 => 100755 vendor/strk.kbt.io/projects/go/libravatar/libravatar.go mode change 100644 => 100755 vendor/xorm.io/builder/.drone.yml mode change 100644 => 100755 vendor/xorm.io/builder/.gitignore mode change 100644 => 100755 vendor/xorm.io/builder/LICENSE mode change 100644 => 100755 vendor/xorm.io/builder/README.md mode change 100644 => 100755 vendor/xorm.io/builder/builder.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_delete.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_insert.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_join.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_limit.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_select.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_set_operations.go mode change 100644 => 100755 vendor/xorm.io/builder/builder_update.go mode change 100644 => 100755 vendor/xorm.io/builder/cond.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_and.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_between.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_compare.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_eq.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_expr.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_if.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_in.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_like.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_neq.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_not.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_notin.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_null.go mode change 100644 => 100755 vendor/xorm.io/builder/cond_or.go mode change 100644 => 100755 vendor/xorm.io/builder/doc.go mode change 100644 => 100755 vendor/xorm.io/builder/error.go mode change 100644 => 100755 vendor/xorm.io/builder/go.mod mode change 100644 => 100755 vendor/xorm.io/builder/go.sum mode change 100644 => 100755 vendor/xorm.io/builder/sql.go mode change 100644 => 100755 vendor/xorm.io/builder/writer.go mode change 100644 => 100755 vendor/xorm.io/xorm/.changelog.yml mode change 100644 => 100755 vendor/xorm.io/xorm/.drone.yml mode change 100644 => 100755 vendor/xorm.io/xorm/.gitignore mode change 100644 => 100755 vendor/xorm.io/xorm/.revive.toml mode change 100644 => 100755 vendor/xorm.io/xorm/CHANGELOG.md mode change 100644 => 100755 vendor/xorm.io/xorm/CONTRIBUTING.md mode change 100644 => 100755 vendor/xorm.io/xorm/LICENSE mode change 100644 => 100755 vendor/xorm.io/xorm/Makefile mode change 100644 => 100755 vendor/xorm.io/xorm/README.md mode change 100644 => 100755 vendor/xorm.io/xorm/README_CN.md mode change 100644 => 100755 vendor/xorm.io/xorm/caches/cache.go mode change 100644 => 100755 vendor/xorm.io/xorm/caches/encode.go mode change 100644 => 100755 vendor/xorm.io/xorm/caches/leveldb.go mode change 100644 => 100755 vendor/xorm.io/xorm/caches/lru.go mode change 100644 => 100755 vendor/xorm.io/xorm/caches/manager.go mode change 100644 => 100755 vendor/xorm.io/xorm/caches/memory_store.go mode change 100644 => 100755 vendor/xorm.io/xorm/contexts/context_cache.go mode change 100644 => 100755 vendor/xorm.io/xorm/convert.go mode change 100644 => 100755 vendor/xorm.io/xorm/convert/conversion.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/db.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/error.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/interface.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/rows.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/scan.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/stmt.go mode change 100644 => 100755 vendor/xorm.io/xorm/core/tx.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/dialect.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/driver.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/filter.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/gen_reserved.sh mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/mssql.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/mysql.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/oracle.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/pg_reserved.txt mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/postgres.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/quote.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/sqlite3.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/table_name.go mode change 100644 => 100755 vendor/xorm.io/xorm/dialects/time.go mode change 100644 => 100755 vendor/xorm.io/xorm/doc.go mode change 100644 => 100755 vendor/xorm.io/xorm/engine.go mode change 100644 => 100755 vendor/xorm.io/xorm/engine_group.go mode change 100644 => 100755 vendor/xorm.io/xorm/engine_group_policy.go mode change 100644 => 100755 vendor/xorm.io/xorm/error.go mode change 100644 => 100755 vendor/xorm.io/xorm/go.mod mode change 100644 => 100755 vendor/xorm.io/xorm/go.sum mode change 100644 => 100755 vendor/xorm.io/xorm/interface.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/json/json.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/cache.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/column_map.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/expr_param.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/insert.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/pk.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/query.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/statement.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/statement_args.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/update.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/statements/values.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/name.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/reflect.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/slice.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/sql.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/strings.go mode change 100644 => 100755 vendor/xorm.io/xorm/internal/utils/zero.go mode change 100644 => 100755 vendor/xorm.io/xorm/log/logger.go mode change 100644 => 100755 vendor/xorm.io/xorm/log/logger_context.go mode change 100644 => 100755 vendor/xorm.io/xorm/log/syslogger.go mode change 100644 => 100755 vendor/xorm.io/xorm/names/mapper.go mode change 100644 => 100755 vendor/xorm.io/xorm/names/table_name.go mode change 100644 => 100755 vendor/xorm.io/xorm/processors.go mode change 100644 => 100755 vendor/xorm.io/xorm/rows.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/column.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/index.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/pk.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/quote.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/table.go mode change 100644 => 100755 vendor/xorm.io/xorm/schemas/type.go mode change 100644 => 100755 vendor/xorm.io/xorm/session.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_cols.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_cond.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_convert.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_delete.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_exist.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_find.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_get.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_insert.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_iterate.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_query.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_raw.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_schema.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_stats.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_tx.go mode change 100644 => 100755 vendor/xorm.io/xorm/session_update.go mode change 100644 => 100755 vendor/xorm.io/xorm/tags/parser.go mode change 100644 => 100755 vendor/xorm.io/xorm/tags/tag.go mode change 100644 => 100755 vendor/xorm.io/xorm/xorm.go diff --git a/go.mod b/go.mod old mode 100755 new mode 100644 index 3b83aced9..7ea7d4aff --- a/go.mod +++ b/go.mod @@ -51,6 +51,7 @@ require ( github.com/go-enry/go-enry/v2 v2.3.0 github.com/go-git/go-billy/v5 v5.0.0 github.com/go-git/go-git/v5 v5.0.0 + github.com/go-http-utils/headers v0.0.0-20181008091004-fed159eddc2a github.com/go-ini/ini v1.56.0 // indirect github.com/go-macaron/auth v0.0.0-20161228062157-884c0e6c9b92 github.com/go-openapi/jsonreference v0.19.3 // indirect @@ -61,6 +62,7 @@ require ( github.com/gobwas/glob v0.2.3 github.com/gogs/chardet v0.0.0-20191104214054-4b6791f73a28 github.com/gogs/cron v0.0.0-20171120032916-9f6c956d3e14 + github.com/golang/mock v1.6.0 // indirect github.com/golang/protobuf v1.4.1 // indirect github.com/gomodule/redigo v2.0.0+incompatible github.com/google/go-github/v24 v24.0.1 @@ -105,7 +107,6 @@ require ( github.com/prometheus/procfs v0.0.4 // indirect github.com/quasoft/websspi v1.0.0 github.com/remyoudompheng/bigfft v0.0.0-20190321074620-2f0d2b0e0001 // indirect - github.com/robfig/cron/v3 v3.0.1 github.com/satori/go.uuid v1.2.0 github.com/sergi/go-diff v1.1.0 github.com/shurcooL/httpfs v0.0.0-20190527155220-6a4d4a70508b // indirect @@ -125,13 +126,12 @@ require ( github.com/yuin/goldmark-highlighting v0.0.0-20220208100518-594be1970594 github.com/yuin/goldmark-meta v1.1.0 golang.org/x/crypto v0.0.0-20200510223506-06a226fb4e37 - golang.org/x/mod v0.3.0 // indirect - golang.org/x/net v0.0.0-20200513185701-a91f0712d120 + golang.org/x/net v0.0.0-20210405180319-a5a99cb37ef4 golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d - golang.org/x/sys v0.0.0-20200509044756-6aff5f38e54f - golang.org/x/text v0.3.2 + golang.org/x/sys v0.0.0-20210510120138-977fb7262007 + golang.org/x/text v0.3.3 golang.org/x/time v0.0.0-20200416051211-89c76fbcd5d1 // indirect - golang.org/x/tools v0.0.0-20200515220128-d3bf790afa53 + golang.org/x/tools v0.1.1 google.golang.org/appengine v1.6.5 // indirect gopkg.in/alexcesaro/quotedprintable.v3 v3.0.0-20150716171945-2caba252f4dc // indirect gopkg.in/asn1-ber.v1 v1.0.0-20150924051756-4e86f4367175 // indirect diff --git a/go.sum b/go.sum old mode 100755 new mode 100644 index e0c11f261..324ada34f --- a/go.sum +++ b/go.sum @@ -262,6 +262,8 @@ github.com/go-git/go-git-fixtures/v4 v4.0.1 h1:q+IFMfLx200Q3scvt2hN79JsEzy4AmBTp github.com/go-git/go-git-fixtures/v4 v4.0.1/go.mod h1:m+ICp2rF3jDhFgEZ/8yziagdT1C+ZpZcrJjappBCDSw= github.com/go-git/go-git/v5 v5.0.0 h1:k5RWPm4iJwYtfWoxIJy4wJX9ON7ihPeZZYC1fLYDnpg= github.com/go-git/go-git/v5 v5.0.0/go.mod h1:oYD8y9kWsGINPFJoLdaScGCN6dlKg23blmClfZwtUVA= +github.com/go-http-utils/headers v0.0.0-20181008091004-fed159eddc2a h1:v6zMvHuY9yue4+QkG/HQ/W67wvtQmWJ4SDo9aK/GIno= +github.com/go-http-utils/headers v0.0.0-20181008091004-fed159eddc2a/go.mod h1:I79BieaU4fxrw4LMXby6q5OS9XnoR9UIKLOzDFjUmuw= github.com/go-ini/ini v1.56.0 h1:6HjxSjqdmgnujDPhlzR4a44lxK3w03WPN8te0SoUSeM= github.com/go-ini/ini v1.56.0/go.mod h1:ByCAeIL28uOIIG0E3PJtZPDL8WnHpFKFOtgjp+3Ies8= github.com/go-kit/kit v0.8.0/go.mod h1:xBxKIO96dXMWWy0MnWVtmwkA9/13aqxPnvrjFYMA2as= @@ -358,7 +360,10 @@ github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4er github.com/golang/lint v0.0.0-20180702182130-06c8688daad7/go.mod h1:tluoj9z5200jBnyusfRPU2LqT6J+DAorxEvtC7LHB+E= github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/mock v1.2.0/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= +github.com/golang/mock v1.3.1 h1:qGJ6qTW+x6xX/my+8YUVl4WNpX9B7+/l2tRsHGZ7f2s= github.com/golang/mock v1.3.1/go.mod h1:sBzyDLLjw3U8JLTeZvSv8jJB+tU5PVekmnlKIyFUx0Y= +github.com/golang/mock v1.6.0 h1:ErTB+efbowRARo13NNdxyJji2egdxLGQhRaY+DUumQc= +github.com/golang/mock v1.6.0/go.mod h1:p6yTPP+5HYm5mzsMV8JkE6ZKdX+/wYM6Hr+LicevLPs= github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= @@ -404,8 +409,8 @@ github.com/googleapis/gax-go/v2 v2.0.5/go.mod h1:DWXyrwAJ9X0FpwwEdw+IPEYBICEFu5m github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gopherjs/gopherjs v0.0.0-20181103185306-d547d1d9531e/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gopherjs/gopherjs v0.0.0-20190430165422-3e4dfb77656c/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= -github.com/gopherjs/gopherjs v0.0.0-20190910122728-9d188e94fb99 h1:twflg0XRTjwKpxb/jFExr4HGq6on2dEOmnL6FV+fgPw= github.com/gopherjs/gopherjs v0.0.0-20190910122728-9d188e94fb99/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= +github.com/gopherjs/gopherjs v0.0.0-20200217142428-fce0ec30dd00 h1:l5lAOZEym3oK3SQ2HBHWsJUfbNBiTXJDeW2QDxw9AQ0= github.com/gopherjs/gopherjs v0.0.0-20200217142428-fce0ec30dd00/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gorilla/context v1.1.1 h1:AWwleXJkX/nhcU9bZSnZoi3h/qGYqQAGhq6zZe/aQW8= github.com/gorilla/context v1.1.1/go.mod h1:kBGZzfjB9CEq2AlWe17Uuf7NDRt0dE0s8S51q0aT7Yg= @@ -468,7 +473,6 @@ github.com/joho/godotenv v1.3.0/go.mod h1:7hK45KPybAkOC6peb+G5yklZfMxEjkZhHbwpqx github.com/jonboulle/clockwork v0.1.0/go.mod h1:Ii8DK3G1RaLaWxj9trq07+26W01tbo22gdxWY5EU2bo= github.com/json-iterator/go v1.1.6/go.mod h1:+SdeFBvtyEkXs7REEP0seUULqWtbJapLOCVDaaPEHmU= github.com/json-iterator/go v1.1.7/go.mod h1:KdQUCv79m/52Kvf8AW2vK1V8akMuk1QjK/uOdHXbAo4= -github.com/json-iterator/go v1.1.9 h1:9yzud/Ht36ygwatGx56VwCZtlI/2AD15T1X2sjSuGns= github.com/json-iterator/go v1.1.9/go.mod h1:KdQUCv79m/52Kvf8AW2vK1V8akMuk1QjK/uOdHXbAo4= github.com/json-iterator/go v1.1.10 h1:Kz6Cvnvv2wGdaG/V8yMvfkmNiXq9Ya2KUv4rouJJr68= github.com/json-iterator/go v1.1.10/go.mod h1:KdQUCv79m/52Kvf8AW2vK1V8akMuk1QjK/uOdHXbAo4= @@ -662,8 +666,6 @@ github.com/rcrowley/go-metrics v0.0.0-20181016184325-3113b8401b8a/go.mod h1:bCqn github.com/rcrowley/go-metrics v0.0.0-20190826022208-cac0b30c2563/go.mod h1:bCqnVzQkZxMG4s8nGwiZ5l3QUCyqpo9Y+/ZMZ9VjZe4= github.com/remyoudompheng/bigfft v0.0.0-20190321074620-2f0d2b0e0001 h1:YDeskXpkNDhPdWN3REluVa46HQOVuVkjkd2sWnrABNQ= github.com/remyoudompheng/bigfft v0.0.0-20190321074620-2f0d2b0e0001/go.mod h1:qqbHyh8v60DhA7CoWK5oRCqLrMHRGoxYCSS9EjAz6Eo= -github.com/robfig/cron/v3 v3.0.1 h1:WdRxkvbJztn8LMz/QEvLN5sBU+xKpSqwwUO1Pjr4qDs= -github.com/robfig/cron/v3 v3.0.1/go.mod h1:eQICP3HwyT7UooqI/z+Ov+PtYAWygg1TEWWzGIFLtro= github.com/rogpeppe/fastuuid v0.0.0-20150106093220-6724a57986af/go.mod h1:XWv6SoW27p1b0cqNHllgS5HIMJraePCO15w5zCzIWYg= github.com/russross/blackfriday v1.5.2 h1:HyvC0ARfnZBqnXwABFeSZHpKvJHJJfPz81GNueLj0oo= github.com/russross/blackfriday v1.5.2/go.mod h1:JO/DiYxRf+HjHt06OyowR9PTA263kcR/rfWxYHBV53g= @@ -711,14 +713,12 @@ github.com/sirupsen/logrus v1.2.0/go.mod h1:LxeOpSwHxABJmUn/MG1IvRgCAasNZTLOkJPx github.com/sirupsen/logrus v1.5.0/go.mod h1:+F7Ogzej0PZc/94MaYx/nvG9jOFMD2osvC3s+Squfpo= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= github.com/smartystreets/assertions v0.0.0-20190116191733-b6c0e53d7304/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= -github.com/smartystreets/assertions v1.0.1 h1:voD4ITNjPL5jjBfgR/r8fPIIBrliWrWHeiJApdr3r4w= github.com/smartystreets/assertions v1.0.1/go.mod h1:kHHU4qYBaI3q23Pp3VPrmWhuIUrLW/7eUrw0BU5VaoM= github.com/smartystreets/assertions v1.1.0 h1:MkTeG1DMwsrdH7QtLXy5W+fUxWq+vmb6cLmyJ7aRtF0= github.com/smartystreets/assertions v1.1.0/go.mod h1:tcbTF8ujkAEcZ8TElKY+i30BzYlVhC/LOxJk7iOWnoo= github.com/smartystreets/go-aws-auth v0.0.0-20180515143844-0c1422d1fdb9/go.mod h1:SnhjPscd9TpLiy1LpzGSKh3bXCfxxXuqd9xmQJy3slM= github.com/smartystreets/goconvey v0.0.0-20181108003508-044398e4856c/go.mod h1:XDJAKZRPZ1CvBcN2aX5YOUTYGHki24fSF0Iv48Ibg0s= github.com/smartystreets/goconvey v0.0.0-20190330032615-68dc04aab96a/go.mod h1:syvi0/a8iFYH4r/RixwvyeAJjdLS9QV7WQ/tjFTllLA= -github.com/smartystreets/goconvey v0.0.0-20190731233626-505e41936337 h1:WN9BUFbdyOsSH/XohnWpXOlq9NBD5sGAB2FciQMUEe8= github.com/smartystreets/goconvey v0.0.0-20190731233626-505e41936337/go.mod h1:syvi0/a8iFYH4r/RixwvyeAJjdLS9QV7WQ/tjFTllLA= github.com/smartystreets/goconvey v1.6.4 h1:fv0U8FUIMPNf1L9lnHLvLhgicrIVChEkdzIKYqbNC9s= github.com/smartystreets/goconvey v1.6.4/go.mod h1:syvi0/a8iFYH4r/RixwvyeAJjdLS9QV7WQ/tjFTllLA= @@ -749,7 +749,6 @@ github.com/stretchr/objx v0.1.1/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+ github.com/stretchr/objx v0.2.0/go.mod h1:qt09Ya8vawLte6SNmTgCsAVtYtaKzEcn8ATUoHMkEqE= github.com/stretchr/testify v1.2.2/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI= -github.com/stretchr/testify v1.4.0 h1:2E4SXV/wtOkTonXsotYi4li6zVWxYlZuYNCXe9XRJyk= github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= github.com/stretchr/testify v1.5.1/go.mod h1:5W2xD1RspED5o8YsWQXVCued0rvSQ+mT+I5cxcmMvtA= github.com/stretchr/testify v1.7.0 h1:nwc3DEeHmmLAfoZucVR881uASk0Mfjw8xYJ99tb5CcY= @@ -804,20 +803,16 @@ github.com/xiang90/probing v0.0.0-20190116061207-43a291ad63a2/go.mod h1:UETIi67q github.com/xordataexchange/crypt v0.0.3-0.20170626215501-b2862e3d0a77/go.mod h1:aYKd//L2LvnjZzWKhF00oedf4jCCReLcmhLdhm1A27Q= github.com/yohcop/openid-go v1.0.0 h1:EciJ7ZLETHR3wOtxBvKXx9RV6eyHZpCaSZ1inbBaUXE= github.com/yohcop/openid-go v1.0.0/go.mod h1:/408xiwkeItSPJZSTPF7+VtZxPkPrRRpRNK2vjGh6yI= -github.com/yuin/goldmark v1.1.7/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.1.25/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= -github.com/yuin/goldmark v1.1.27 h1:nqDD4MMMQA0lmWq03Z2/myGPYLQoXtmi0rGVs95ntbo= github.com/yuin/goldmark v1.1.27/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= -github.com/yuin/goldmark v1.1.30 h1:j4d4Lw3zqZelDhBksEo3BnWg9xhXRQGJPPSL6OApZjI= github.com/yuin/goldmark v1.1.30/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= +github.com/yuin/goldmark v1.3.5/go.mod h1:mwnBkeHKe2W/ZEtQ+71ViKU8L12m81fl3OWwC1Zlc8k= github.com/yuin/goldmark v1.4.5/go.mod h1:rmuwmfZ0+bvzB24eSC//bk1R1Zp3hM0OXYv/G2LIilg= github.com/yuin/goldmark v1.4.6/go.mod h1:rmuwmfZ0+bvzB24eSC//bk1R1Zp3hM0OXYv/G2LIilg= github.com/yuin/goldmark v1.4.13 h1:fVcFKWvrslecOb/tg+Cc05dkeYx540o0FuFt3nUVDoE= github.com/yuin/goldmark v1.4.13/go.mod h1:6yULJ656Px+3vBD8DxQVa3kxgyrAnzto9xy5taEt/CY= github.com/yuin/goldmark-highlighting v0.0.0-20220208100518-594be1970594 h1:yHfZyN55+5dp1wG7wDKv8HQ044moxkyGq12KFFMFDxg= github.com/yuin/goldmark-highlighting v0.0.0-20220208100518-594be1970594/go.mod h1:U9ihbh+1ZN7fR5Se3daSPoz1CGF9IYtSvWwVQtnzGHU= -github.com/yuin/goldmark-meta v0.0.0-20191126180153-f0638e958b60 h1:gZucqLjL1eDzVWrXj4uiWeMbAopJlBR2mKQAsTGdPwo= -github.com/yuin/goldmark-meta v0.0.0-20191126180153-f0638e958b60/go.mod h1:i9VhcIHN2PxXMbQrKqXNueok6QNONoPjNMoj9MygVL0= github.com/yuin/goldmark-meta v1.1.0 h1:pWw+JLHGZe8Rk0EGsMVssiNb/AaPMHfSRszZeUeiOUc= github.com/yuin/goldmark-meta v1.1.0/go.mod h1:U4spWENafuA7Zyg+Lj5RqK/MF+ovMYtBvXi1lBb2VP0= github.com/ziutek/mymysql v1.5.4 h1:GB0qdRGsTwQSBVYuVShFBKaXSnSnYYC2d9knnE1LHFs= @@ -859,14 +854,11 @@ golang.org/x/crypto v0.0.0-20190927123631-a832865fa7ad/go.mod h1:yigFU9vqHzYiE8U golang.org/x/crypto v0.0.0-20191011191535-87dc89f01550/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20191219195013-becbf705a915/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= golang.org/x/crypto v0.0.0-20200302210943-78000ba7a073/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= -golang.org/x/crypto v0.0.0-20200429183012-4b2356b1ed79 h1:IaQbIIB2X/Mp/DKctl6ROxz1KyMlKp4uyvL6+kQ7C88= -golang.org/x/crypto v0.0.0-20200429183012-4b2356b1ed79/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= golang.org/x/crypto v0.0.0-20200510223506-06a226fb4e37 h1:cg5LA/zNPRzIXIWSCxQW10Rvpy94aQh3LT/ShoCpkHw= golang.org/x/crypto v0.0.0-20200510223506-06a226fb4e37/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20190510132918-efd6b22b2522/go.mod h1:ZjyILWgesfNpC6sMxTJOJm9Kp84zZh5NQWvqDGG3Qr8= golang.org/x/image v0.0.0-20190227222117-0694c2d4d067/go.mod h1:kZ7UVZpmo3dzQBMxlp+ypCbDeSB+sBbTgSJuh5dn5js= -golang.org/x/image v0.0.0-20190910094157-69e4b8554b2a h1:gHevYm0pO4QUbwy8Dmdr01R5r1BuKtfYqRqF0h/Cbh0= golang.org/x/image v0.0.0-20190910094157-69e4b8554b2a/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/image v0.0.0-20191009234506-e7c1f5e7dbb8 h1:hVwzHzIUGRjiF7EcUjqNxk3NCfkPxbDKRdnNE1Rpg0U= golang.org/x/image v0.0.0-20191009234506-e7c1f5e7dbb8/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= @@ -882,6 +874,8 @@ golang.org/x/mod v0.1.1-0.20191105210325-c90efee705ee/go.mod h1:QqPTAvyqsEbceGzB golang.org/x/mod v0.2.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/mod v0.3.0 h1:RM4zey1++hCTbCVQfnWeKs9/IEsaBLA8vTkd0WVtmH4= golang.org/x/mod v0.3.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= +golang.org/x/mod v0.4.2 h1:Gz96sIWK3OalVv/I/qNygP42zyoKp3xptRVCWRFEBvo= +golang.org/x/mod v0.4.2/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/net v0.0.0-20180218175443-cbe0f9307d01/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= @@ -913,6 +907,7 @@ golang.org/x/net v0.0.0-20200301022130-244492dfa37a/go.mod h1:z5CRVTTTmAJ677TzLL golang.org/x/net v0.0.0-20200506145744-7e3656a0809f/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200513185701-a91f0712d120 h1:EZ3cVSzKOlJxAd8e8YAJ7no8nNypTxexh/YE/xW3ZEY= golang.org/x/net v0.0.0-20200513185701-a91f0712d120/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= +golang.org/x/net v0.0.0-20210405180319-a5a99cb37ef4/go.mod h1:p54w0d4576C0XHj96bSt6lcn1PtDYWL6XObtHCRCNQM= golang.org/x/oauth2 v0.0.0-20180620175406-ef147856a6dd/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= golang.org/x/oauth2 v0.0.0-20181017192945-9dcd33a902f4/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= @@ -929,10 +924,10 @@ golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJ golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e h1:vcxGaoTs7kV8m5Np9uUNQin4BrLOthgV7252N8V+FwY= golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a h1:WXEvlFVvvGxCJLG6REjsT03iWnKLEWinaScsxF2Vm2o= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= +golang.org/x/sync v0.0.0-20210220032951-036812b2e83c/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sys v0.0.0-20180824143301-4910a1d54f87/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180905080454-ebe1bf3edb33/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= @@ -967,10 +962,16 @@ golang.org/x/sys v0.0.0-20200302150141-5c8b2ff67527/go.mod h1:h1NjWce9XRLGQEsW7w golang.org/x/sys v0.0.0-20200323222414-85ca7c5b95cd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200509044756-6aff5f38e54f h1:mOhmO9WsBaJCNmaZHPtHs9wOcdqdKCjF6OPJlmDM3KI= golang.org/x/sys v0.0.0-20200509044756-6aff5f38e54f/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= +golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= +golang.org/x/sys v0.0.0-20210330210617-4fbd30eecc44/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= +golang.org/x/sys v0.0.0-20210510120138-977fb7262007 h1:gG67DSER+11cZvqIMb8S8bt0vZtiN6xWYARwirrOSfE= +golang.org/x/sys v0.0.0-20210510120138-977fb7262007/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= +golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.1-0.20180807135948-17ff2d5776d2/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.2 h1:tW2bmiBqwgJj/UpqtC8EpXEZVYOwU0yG4iWbprSVAcs= golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= +golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= golang.org/x/time v0.0.0-20180412165947-fbb02b2291d2/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20181108054448-85acf8d2951c/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20190308202827-9d24e82272b4/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= @@ -1001,10 +1002,14 @@ golang.org/x/tools v0.0.0-20200325010219-a49f79bcc224/go.mod h1:Sl4aGygMT6LrqrWc golang.org/x/tools v0.0.0-20200509030707-2212a7e161a5/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200515220128-d3bf790afa53 h1:vmsb6v0zUdmUlXfwKaYrHPPRCV0lHq/IwNIf0ASGjyQ= golang.org/x/tools v0.0.0-20200515220128-d3bf790afa53/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= +golang.org/x/tools v0.1.1 h1:wGiQel/hW0NnEkJUk8lbzkX2gFJU6PFxf1v5OlCfuOs= +golang.org/x/tools v0.1.1/go.mod h1:o0xws9oXOQQZyjljx8fwUC0k7L1pTE6eaCbjGeHmOkk= golang.org/x/xerrors v0.0.0-20190717185122-a985d3407aa7/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191011141410-1b5146add898/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543 h1:E7g+9GITq07hpfrRu66IVDexMakfv52eLZ2CXBWiKr4= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= +golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1 h1:go1bK/D/BFZV2I8cIQd1NKEZ+0owSTG1fDTci4IqFcE= +golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= google.golang.org/api v0.0.0-20180910000450-7ca32eb868bf/go.mod h1:4mhQ8q/RsB7i+udVvVy5NUi08OU8ZlA0gRVgrF7VFY0= google.golang.org/api v0.0.0-20181030000543-1d582fd0359e/go.mod h1:4mhQ8q/RsB7i+udVvVy5NUi08OU8ZlA0gRVgrF7VFY0= google.golang.org/api v0.0.0-20181220000619-583d854617af/go.mod h1:4mhQ8q/RsB7i+udVvVy5NUi08OU8ZlA0gRVgrF7VFY0= @@ -1076,8 +1081,6 @@ gopkg.in/ini.v1 v1.42.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ini.v1 v1.44.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ini.v1 v1.44.2/go.mod h1:M3Cogqpuv0QCi3ExAY5V4uOt4qb/R3xZubo9m8lK5wg= gopkg.in/ini.v1 v1.46.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= -gopkg.in/ini.v1 v1.52.0 h1:j+Lt/M1oPPejkniCg1TkWE2J3Eh1oZTsHSXzMTzUXn4= -gopkg.in/ini.v1 v1.52.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ini.v1 v1.56.0 h1:DPMeDvGTM54DXbPkVIZsp19fp/I2K7zwA/itHYHKo8Y= gopkg.in/ini.v1 v1.56.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ldap.v3 v3.0.2 h1:R6RBtabK6e1GO0eQKtkyOFbAHO73QesLzI2w2DZ6b9w= @@ -1098,7 +1101,6 @@ gopkg.in/yaml.v2 v2.0.0-20170812160011-eb3733d160e7/go.mod h1:JAlM8MvJe8wmxCU4Bl gopkg.in/yaml.v2 v2.2.1/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.4/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= -gopkg.in/yaml.v2 v2.2.8 h1:obN1ZagJSUGI0Ek/LBmuj4SNLPfIny3KsKFopxRdj10= gopkg.in/yaml.v2 v2.2.8/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.3.0 h1:clyUAQHOM3G0M3f5vQj7LuJrETvjVot3Z5el9nffUtU= gopkg.in/yaml.v2 v2.3.0/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= diff --git a/models/models.go b/models/models.go index 4c2079cd8..20a3bfb2f 100755 --- a/models/models.go +++ b/models/models.go @@ -161,6 +161,7 @@ func init() { new(CloudbrainSpec), new(CloudbrainTemp), new(DatasetReference), + new(ScheduleRecord), ) tablesStatistic = append(tablesStatistic, diff --git a/models/schedule_record.go b/models/schedule_record.go new file mode 100755 index 000000000..0d529ecdf --- /dev/null +++ b/models/schedule_record.go @@ -0,0 +1,52 @@ +package models + +import ( + "time" + + "code.gitea.io/gitea/modules/timeutil" +) + +const ( + StorageScheduleSucceed int = iota + StorageScheduleProcessing + StorageScheduleFailed +) + +type ScheduleRecord struct { + ID int64 `xorm:"pk autoincr"` + CloudbrainID int64 `xorm:"INDEX NOT NULL unique"` + EndPoint string `xorm:"INDEX NOT NULL"` + Bucket string `xorm:"INDEX NOT NULL"` + ObjectKey string `xorm:"INDEX NOT NULL"` + ProxyServer string `xorm:"INDEX NOT NULL"` + Status int `xorm:"INDEX NOT NULL DEFAULT 0"` + CreatedUnix timeutil.TimeStamp `xorm:"created"` + UpdatedUnix timeutil.TimeStamp `xorm:"updated"` + DeletedAt time.Time `xorm:"deleted"` +} + +func updateScheduleCols(e Engine, record *ScheduleRecord, cols ...string) error { + _, err := e.ID(record.ID).Cols(cols...).Update(record) + return err +} + +func UpdateScheduleCols(record *ScheduleRecord, cols ...string) error { + return updateScheduleCols(x, record, cols...) +} + +func GetSchedulingRecord() ([]*ScheduleRecord, error) { + records := make([]*ScheduleRecord, 0, 10) + return records, x. + Where("status = ?", StorageScheduleProcessing). + Limit(100). + Find(&records) +} + +func InsertScheduleRecord(record *ScheduleRecord) (_ *ScheduleRecord, err error) { + + if _, err := x.Insert(record); err != nil { + return nil, err + } + + return record, nil +} diff --git a/modules/cron/tasks_basic.go b/modules/cron/tasks_basic.go index 8dbc8d1ed..d227c3b19 100755 --- a/modules/cron/tasks_basic.go +++ b/modules/cron/tasks_basic.go @@ -5,6 +5,7 @@ package cron import ( + "code.gitea.io/gitea/modules/urfs_client/urchin" "context" "time" @@ -222,6 +223,17 @@ func registerSyncCloudbrainStatus() { }) } +func registerHandleScheduleRecord() { + RegisterTaskFatal("handle_schedule_record", &BaseConfig{ + Enabled: true, + RunAtStart: false, + Schedule: "@every 1m", + }, func(ctx context.Context, _ *models.User, _ Config) error { + urchin.HandleScheduleRecords() + return nil + }) +} + func registerRewardPeriodTask() { RegisterTaskFatal("reward_period_task", &BaseConfig{ Enabled: true, @@ -293,4 +305,6 @@ func initBasicTasks() { registerCloudbrainPointDeductTask() registerHandleModelSafetyTask() + + registerHandleScheduleRecord() } diff --git a/modules/grampus/grampus.go b/modules/grampus/grampus.go index e56342046..5d92af5aa 100755 --- a/modules/grampus/grampus.go +++ b/modules/grampus/grampus.go @@ -1,16 +1,15 @@ package grampus import ( - "code.gitea.io/gitea/modules/cloudbrain" "encoding/json" "strings" - "code.gitea.io/gitea/modules/setting" - "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/cloudbrain" "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/notification" + "code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/modules/timeutil" ) @@ -27,7 +26,8 @@ const ( CodeArchiveName = "master.zip" - BucketRemote = "grampus" + BucketRemote = "grampus" + RemoteModelPath = "/output/models.zip" ) var ( @@ -279,10 +279,33 @@ func InitSpecialPool() { } func GetNpuModelRemoteObsUrl(jobName string) string { - return "s3:///grampus/jobs/" + jobName + "/output/models.zip" + return "s3:///" + BucketRemote + "/" + GetNpuModelObjectKey(jobName) } -func GetBackNpuModel(jobName string) error { - - return nil +func GetNpuModelObjectKey(jobName string) string { + return setting.CodePathPrefix + jobName + RemoteModelPath +} + +func GetRemoteEndPoint(aiCenterID string) string { + var endPoint string + for _, info := range setting.CenterInfos.Info { + if info.CenterID == aiCenterID { + endPoint = info.Endpoint + break + } + } + + return endPoint +} + +func GetCenterProxy(aiCenterID string) string { + var proxy string + for _, info := range setting.CenterInfos.Info { + if info.CenterID == aiCenterID { + proxy = info.StorageProxyServer + break + } + } + + return proxy } diff --git a/modules/setting/setting.go b/modules/setting/setting.go index c6afae05a..23a3bd8df 100755 --- a/modules/setting/setting.go +++ b/modules/setting/setting.go @@ -76,6 +76,17 @@ type C2NetSqInfos struct { C2NetSqInfo []*C2NetSequenceInfo `json:"sequence"` } +type AiCenterInfo struct { + CenterID string `json:"center_id"` + Name string `json:"name"` + Endpoint string `json:"endpoint"` + StorageProxyServer string `json:"storage_proxy_server"` +} + +type AiCenterInfos struct { + Info []*AiCenterInfo `json:"infos"` +} + type StFlavorInfos struct { FlavorInfo []*FlavorInfo `json:"flavor_info"` } @@ -594,9 +605,12 @@ var ( SpecialPools string C2NetSequence string SyncScriptProject string + LocalCenterID string + AiCenterInfo string }{} - C2NetInfos *C2NetSqInfos + C2NetInfos *C2NetSqInfos + CenterInfos *AiCenterInfos //elk config ElkUrl string @@ -1614,6 +1628,13 @@ func getGrampusConfig() { } } Grampus.SyncScriptProject = sec.Key("SYNC_SCRIPT_PROJECT").MustString("script_for_grampus") + Grampus.LocalCenterID = sec.Key("LOCAL_CENTER_ID").MustString("cloudbrain2") + Grampus.AiCenterInfo = sec.Key("AI_CENTER_INFO").MustString("") + if Grampus.AiCenterInfo != "" { + if err := json.Unmarshal([]byte(Grampus.AiCenterInfo), &CenterInfos); err != nil { + log.Error("Unmarshal(AiCenterInfo) failed:%v", err) + } + } } diff --git a/modules/urfs_client/dfstore/dfstore.go b/modules/urfs_client/dfstore/dfstore.go index 2901b0abc..e515d2bad 100755 --- a/modules/urfs_client/dfstore/dfstore.go +++ b/modules/urfs_client/dfstore/dfstore.go @@ -11,8 +11,8 @@ import ( "path" "strconv" - "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/config" - pkgobjectstorage "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/objectstorage" + "code.gitea.io/gitea/modules/urfs_client/config" + pkgobjectstorage "code.gitea.io/gitea/modules/urfs_client/objectstorage" ) // Dfstore is the interface used for object storage. diff --git a/modules/urfs_client/objectstorage/mocks/objectstorage_mock.go b/modules/urfs_client/objectstorage/mocks/objectstorage_mock.go new file mode 100644 index 000000000..baa34f437 --- /dev/null +++ b/modules/urfs_client/objectstorage/mocks/objectstorage_mock.go @@ -0,0 +1,5 @@ +// Code generated by MockGen. DO NOT EDIT. +// Source: objectstorage.go + +// Package mocks is a generated GoMock package. +package mocks diff --git a/modules/urfs_client/urchin/schedule.go b/modules/urfs_client/urchin/schedule.go new file mode 100755 index 000000000..72266b589 --- /dev/null +++ b/modules/urfs_client/urchin/schedule.go @@ -0,0 +1,116 @@ +package urchin + +import ( + "code.gitea.io/gitea/modules/labelmsg" + "code.gitea.io/gitea/modules/setting" + "encoding/json" + "fmt" + "strings" + + "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/log" +) + +type DecompressReq struct { + SourceFile string `json:"source_file"` + DestPath string `json:"dest_path"` +} + +const ( + modelSuffix = "models.zip" +) + +var urfsClient Urchinfs + +func getUrfsClient() { + if urfsClient != nil { + return + } + + urfsClient = New() +} + +func GetBackNpuModel(cloudbrainID int64, endpoint, bucket, objectKey, destPeerHost string) error { + getUrfsClient() + res, err := urfsClient.ScheduleDataToPeerByKey(endpoint, bucket, objectKey, destPeerHost) + if err != nil { + log.Error("ScheduleDataToPeerByKey failed:%v", err) + return err + } + + _, err = models.InsertScheduleRecord(&models.ScheduleRecord{ + CloudbrainID: cloudbrainID, + EndPoint: res.DataEndpoint, + Bucket: res.DataRoot, + ObjectKey: res.DataPath, + ProxyServer: destPeerHost, + Status: res.StatusCode, + }) + if err != nil { + log.Error("InsertScheduleRecord failed:%v", err) + return err + } + + switch res.StatusCode { + case models.StorageScheduleSucceed: + log.Info("ScheduleDataToPeerByKey succeed") + decompress(res.DataRoot+"/"+res.DataPath, setting.Bucket+"/"+strings.TrimSuffix(res.DataPath, modelSuffix)) + case models.StorageScheduleProcessing: + log.Info("ScheduleDataToPeerByKey processing") + case models.StorageScheduleFailed: + log.Error("ScheduleDataToPeerByKey failed:%s", res.StatusMsg) + return fmt.Errorf("GetBackNpuModel failed:%s", res.StatusMsg) + default: + log.Info("ScheduleDataToPeerByKey failed, unknown StatusCode:%d", res.StatusCode) + return fmt.Errorf("GetBackNpuModel failed, unknow StatusCode:%d", res.StatusCode) + } + + return nil +} + +func HandleScheduleRecords() error { + getUrfsClient() + records, err := models.GetSchedulingRecord() + if err != nil { + log.Error("GetSchedulingRecord failed:%v", err) + return err + } + + for _, record := range records { + res, err := urfsClient.CheckScheduleTaskStatusByKey(record.EndPoint, record.Bucket, record.ObjectKey, record.ProxyServer) + if err != nil { + log.Error("CheckScheduleTaskStatusByKey(%d) failed:%v", record.ID, err) + continue + } + + record.Status = res.StatusCode + models.UpdateScheduleCols(record, "status") + + switch res.StatusCode { + case models.StorageScheduleSucceed: + log.Info("ScheduleDataToPeerByKey(%s) succeed", record.ObjectKey) + decompress(record.Bucket+"/"+record.ObjectKey, setting.Bucket+"/"+strings.TrimSuffix(record.ObjectKey, modelSuffix)) + case models.StorageScheduleProcessing: + log.Info("ScheduleDataToPeerByKey(%s) processing", record.ObjectKey) + case models.StorageScheduleFailed: + log.Error("ScheduleDataToPeerByKey(%s) failed:%s", record.ObjectKey, res.StatusMsg) + + default: + log.Info("ScheduleDataToPeerByKey(%s) failed, unknown StatusCode:%d", record.ObjectKey, res.StatusCode) + } + + } + + return nil +} + +func decompress(sourceFile, destPath string) { + req, _ := json.Marshal(DecompressReq{ + SourceFile: sourceFile, + DestPath: destPath, + }) + err := labelmsg.SendDecompressAttachToLabelOBS(string(req)) + if err != nil { + log.Error("SendDecompressTask to labelsystem (%s) failed:%s", sourceFile, err.Error()) + } +} diff --git a/modules/urfs_client/urchin/urchinfs.go b/modules/urfs_client/urchin/urchinfs.go index 8c59108b3..ae81e4e98 100755 --- a/modules/urfs_client/urchin/urchinfs.go +++ b/modules/urfs_client/urchin/urchinfs.go @@ -4,23 +4,22 @@ import ( "context" "encoding/json" "errors" - "fmt" "io/ioutil" "net/url" "strconv" "strings" - "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/config" - urfs "git.openi.org.cn/OpenI/Grampus/server/common/urfs_client/dfstore" + "code.gitea.io/gitea/modules/urfs_client/config" + urfs "code.gitea.io/gitea/modules/urfs_client/dfstore" ) type Urchinfs interface { - // schedule source dataset to target peer - ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerResult, error) - - // check schedule data to peer task status - CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (*PeerResult, error) + //// schedule source dataset to target peer + //ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerResult, error) + // + //// check schedule data to peer task status + //CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (*PeerResult, error) ScheduleDataToPeerByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) @@ -46,6 +45,7 @@ const ( UrfsScheme = "urfs" ) +/* func (urfs *urchinfs) ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerResult, error) { ctx, cancel := context.WithCancel(context.Background()) defer cancel() @@ -71,6 +71,8 @@ func (urfs *urchinfs) ScheduleDataToPeer(sourceUrl, destPeerHost string) (*PeerR return peerResult, err } +*/ + func (urfs *urchinfs) ScheduleDataToPeerByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) { ctx, cancel := context.WithCancel(context.Background()) defer cancel() @@ -83,6 +85,7 @@ func (urfs *urchinfs) ScheduleDataToPeerByKey(endpoint, bucketName, objectKey, d return peerResult, err } +/* func (urfs *urchinfs) CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (*PeerResult, error) { ctx, cancel := context.WithCancel(context.Background()) defer cancel() @@ -108,6 +111,8 @@ func (urfs *urchinfs) CheckScheduleTaskStatus(sourceUrl, destPeerHost string) (* return peerResult, err } +*/ + func (urfs *urchinfs) CheckScheduleTaskStatusByKey(endpoint, bucketName, objectKey, destPeerHost string) (*PeerResult, error) { ctx, cancel := context.WithCancel(context.Background()) defer cancel() @@ -143,6 +148,7 @@ func validateSchedulelArgs(sourceUrl, destPeer string) error { return nil } +/* // Parse object storage url. eg: urfs://源数据$endpoint/源数据$bucket/源数据filepath func parseUrfsURL(rawURL string) (string, string, string, error) { u, err := url.ParseRequestURI(rawURL) @@ -170,6 +176,8 @@ func parseUrfsURL(rawURL string) (string, string, string, error) { return u.Host, bucket, key, nil } +*/ + // Schedule object storage to peer. func processScheduleDataToPeer(ctx context.Context, cfg *config.DfstoreConfig, endpoint, bucketName, objectKey, dstPeer string) (*PeerResult, error) { dfs := urfs.New(cfg.Endpoint) diff --git a/routers/api/v1/repo/modelarts.go b/routers/api/v1/repo/modelarts.go index a6e807f61..e65fcecd3 100755 --- a/routers/api/v1/repo/modelarts.go +++ b/routers/api/v1/repo/modelarts.go @@ -6,6 +6,7 @@ package repo import ( + "code.gitea.io/gitea/modules/urfs_client/urchin" "encoding/json" "net/http" "path" @@ -180,7 +181,9 @@ func GetModelArtsTrainJobVersion(ctx *context.APIContext) { } if oldStatus != job.Status { notification.NotifyChangeCloudbrainStatus(job, oldStatus) - // todo: get model back + if models.IsTrainJobTerminal(job.Status) { + urchin.GetBackNpuModel(job.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(job.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + } } err = models.UpdateTrainJobVersion(job) if err != nil { diff --git a/routers/repo/cloudbrain.go b/routers/repo/cloudbrain.go index ff19d5829..ee18c725d 100755 --- a/routers/repo/cloudbrain.go +++ b/routers/repo/cloudbrain.go @@ -2,6 +2,7 @@ package repo import ( "bufio" + "code.gitea.io/gitea/modules/urfs_client/urchin" "encoding/json" "errors" "fmt" @@ -1939,7 +1940,9 @@ func SyncCloudbrainStatus() { task.CorrectCreateUnix() if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) - // todo: get model back + if models.IsTrainJobTerminal(task.Status) { + urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + } } err = models.UpdateJob(task) if err != nil { diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index b92f19931..6ba8e0f9d 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -872,13 +872,7 @@ func GrampusTrainJobShow(ctx *context.Context) { if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) if models.IsTrainJobTerminal(task.Status) { - //get model back - urfs := urchin.New() - res, err := urfs.ScheduleDataToPeerByKey(endPoint, grampus.BucketRemote, objectKey, dstPeer) - if err != nil { - log.Error("ScheduleDataToPeer failed:%v", err) - return isExist, dataUrl, err - } + urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) } } err = models.UpdateJob(task) diff --git a/vendor/cloud.google.com/go/LICENSE b/vendor/cloud.google.com/go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/compute/metadata/metadata.go b/vendor/cloud.google.com/go/compute/metadata/metadata.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/iam/iam.go b/vendor/cloud.google.com/go/iam/iam.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/internal/optional/optional.go b/vendor/cloud.google.com/go/internal/optional/optional.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/internal/version/update_version.sh b/vendor/cloud.google.com/go/internal/version/update_version.sh old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/internal/version/version.go b/vendor/cloud.google.com/go/internal/version/version.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/README.md b/vendor/cloud.google.com/go/pubsub/README.md old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/README.md b/vendor/cloud.google.com/go/pubsub/apiv1/README.md old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/doc.go b/vendor/cloud.google.com/go/pubsub/apiv1/doc.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/iam.go b/vendor/cloud.google.com/go/pubsub/apiv1/iam.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/path_funcs.go b/vendor/cloud.google.com/go/pubsub/apiv1/path_funcs.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/publisher_client.go b/vendor/cloud.google.com/go/pubsub/apiv1/publisher_client.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/apiv1/subscriber_client.go b/vendor/cloud.google.com/go/pubsub/apiv1/subscriber_client.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/debug.go b/vendor/cloud.google.com/go/pubsub/debug.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/doc.go b/vendor/cloud.google.com/go/pubsub/doc.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/flow_controller.go b/vendor/cloud.google.com/go/pubsub/flow_controller.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/internal/distribution/distribution.go b/vendor/cloud.google.com/go/pubsub/internal/distribution/distribution.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/iterator.go b/vendor/cloud.google.com/go/pubsub/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/message.go b/vendor/cloud.google.com/go/pubsub/message.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/nodebug.go b/vendor/cloud.google.com/go/pubsub/nodebug.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/pubsub.go b/vendor/cloud.google.com/go/pubsub/pubsub.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/pullstream.go b/vendor/cloud.google.com/go/pubsub/pullstream.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/service.go b/vendor/cloud.google.com/go/pubsub/service.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/snapshot.go b/vendor/cloud.google.com/go/pubsub/snapshot.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/subscription.go b/vendor/cloud.google.com/go/pubsub/subscription.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/topic.go b/vendor/cloud.google.com/go/pubsub/topic.go old mode 100644 new mode 100755 diff --git a/vendor/cloud.google.com/go/pubsub/trace.go b/vendor/cloud.google.com/go/pubsub/trace.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/.gitignore b/vendor/gitea.com/jolheiser/gitea-vet/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/LICENSE b/vendor/gitea.com/jolheiser/gitea-vet/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/Makefile b/vendor/gitea.com/jolheiser/gitea-vet/Makefile old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/README.md b/vendor/gitea.com/jolheiser/gitea-vet/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/checks/imports.go b/vendor/gitea.com/jolheiser/gitea-vet/checks/imports.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/checks/license.go b/vendor/gitea.com/jolheiser/gitea-vet/checks/license.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/go.mod b/vendor/gitea.com/jolheiser/gitea-vet/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/go.sum b/vendor/gitea.com/jolheiser/gitea-vet/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/jolheiser/gitea-vet/main.go b/vendor/gitea.com/jolheiser/gitea-vet/main.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/.drone.yml b/vendor/gitea.com/lunny/levelqueue/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/.gitignore b/vendor/gitea.com/lunny/levelqueue/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/LICENSE b/vendor/gitea.com/lunny/levelqueue/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/README.md b/vendor/gitea.com/lunny/levelqueue/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/error.go b/vendor/gitea.com/lunny/levelqueue/error.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/go.mod b/vendor/gitea.com/lunny/levelqueue/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/go.sum b/vendor/gitea.com/lunny/levelqueue/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/queue.go b/vendor/gitea.com/lunny/levelqueue/queue.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/set.go b/vendor/gitea.com/lunny/levelqueue/set.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/lunny/levelqueue/uniquequeue.go b/vendor/gitea.com/lunny/levelqueue/uniquequeue.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/.drone.yml b/vendor/gitea.com/macaron/binding/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/.gitignore b/vendor/gitea.com/macaron/binding/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/LICENSE b/vendor/gitea.com/macaron/binding/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/README.md b/vendor/gitea.com/macaron/binding/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/binding.go b/vendor/gitea.com/macaron/binding/binding.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/errors.go b/vendor/gitea.com/macaron/binding/errors.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/go.mod b/vendor/gitea.com/macaron/binding/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/binding/go.sum b/vendor/gitea.com/macaron/binding/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/.drone.yml b/vendor/gitea.com/macaron/cache/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/.gitignore b/vendor/gitea.com/macaron/cache/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/LICENSE b/vendor/gitea.com/macaron/cache/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/README.md b/vendor/gitea.com/macaron/cache/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/cache.go b/vendor/gitea.com/macaron/cache/cache.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/file.go b/vendor/gitea.com/macaron/cache/file.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/go.mod b/vendor/gitea.com/macaron/cache/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/go.sum b/vendor/gitea.com/macaron/cache/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/memcache/memcache.go b/vendor/gitea.com/macaron/cache/memcache/memcache.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/memcache/memcache.goconvey b/vendor/gitea.com/macaron/cache/memcache/memcache.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/memory.go b/vendor/gitea.com/macaron/cache/memory.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/redis/redis.go b/vendor/gitea.com/macaron/cache/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/redis/redis.goconvey b/vendor/gitea.com/macaron/cache/redis/redis.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cache/utils.go b/vendor/gitea.com/macaron/cache/utils.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/.drone.yml b/vendor/gitea.com/macaron/captcha/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/LICENSE b/vendor/gitea.com/macaron/captcha/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/README.md b/vendor/gitea.com/macaron/captcha/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/captcha.go b/vendor/gitea.com/macaron/captcha/captcha.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/go.mod b/vendor/gitea.com/macaron/captcha/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/go.sum b/vendor/gitea.com/macaron/captcha/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/image.go b/vendor/gitea.com/macaron/captcha/image.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/captcha/siprng.go b/vendor/gitea.com/macaron/captcha/siprng.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/.drone.yml b/vendor/gitea.com/macaron/cors/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/.gitignore b/vendor/gitea.com/macaron/cors/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/LICENSE b/vendor/gitea.com/macaron/cors/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/README.md b/vendor/gitea.com/macaron/cors/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/cors.go b/vendor/gitea.com/macaron/cors/cors.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/go.mod b/vendor/gitea.com/macaron/cors/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/cors/go.sum b/vendor/gitea.com/macaron/cors/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/.drone.yml b/vendor/gitea.com/macaron/csrf/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/LICENSE b/vendor/gitea.com/macaron/csrf/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/README.md b/vendor/gitea.com/macaron/csrf/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/csrf.go b/vendor/gitea.com/macaron/csrf/csrf.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/go.mod b/vendor/gitea.com/macaron/csrf/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/go.sum b/vendor/gitea.com/macaron/csrf/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/csrf/xsrf.go b/vendor/gitea.com/macaron/csrf/xsrf.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/gzip/.drone.yml b/vendor/gitea.com/macaron/gzip/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/gzip/README.md b/vendor/gitea.com/macaron/gzip/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/gzip/go.mod b/vendor/gitea.com/macaron/gzip/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/gzip/go.sum b/vendor/gitea.com/macaron/gzip/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/gzip/gzip.go b/vendor/gitea.com/macaron/gzip/gzip.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/.drone.yml b/vendor/gitea.com/macaron/i18n/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/LICENSE b/vendor/gitea.com/macaron/i18n/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/README.md b/vendor/gitea.com/macaron/i18n/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/go.mod b/vendor/gitea.com/macaron/i18n/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/go.sum b/vendor/gitea.com/macaron/i18n/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/i18n/i18n.go b/vendor/gitea.com/macaron/i18n/i18n.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/.drone.yml b/vendor/gitea.com/macaron/inject/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/LICENSE b/vendor/gitea.com/macaron/inject/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/README.md b/vendor/gitea.com/macaron/inject/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/go.mod b/vendor/gitea.com/macaron/inject/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/go.sum b/vendor/gitea.com/macaron/inject/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/inject/inject.go b/vendor/gitea.com/macaron/inject/inject.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/.drone.yml b/vendor/gitea.com/macaron/macaron/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/.gitignore b/vendor/gitea.com/macaron/macaron/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/LICENSE b/vendor/gitea.com/macaron/macaron/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/README.md b/vendor/gitea.com/macaron/macaron/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/context.go b/vendor/gitea.com/macaron/macaron/context.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/go.mod b/vendor/gitea.com/macaron/macaron/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/go.sum b/vendor/gitea.com/macaron/macaron/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/logger.go b/vendor/gitea.com/macaron/macaron/logger.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/macaron.go b/vendor/gitea.com/macaron/macaron/macaron.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/macaronlogo.png b/vendor/gitea.com/macaron/macaron/macaronlogo.png old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/recovery.go b/vendor/gitea.com/macaron/macaron/recovery.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/render.go b/vendor/gitea.com/macaron/macaron/render.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/response_writer.go b/vendor/gitea.com/macaron/macaron/response_writer.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/return_handler.go b/vendor/gitea.com/macaron/macaron/return_handler.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/router.go b/vendor/gitea.com/macaron/macaron/router.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/static.go b/vendor/gitea.com/macaron/macaron/static.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/tree.go b/vendor/gitea.com/macaron/macaron/tree.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/util_go17.go b/vendor/gitea.com/macaron/macaron/util_go17.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/macaron/util_go18.go b/vendor/gitea.com/macaron/macaron/util_go18.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/.drone.yml b/vendor/gitea.com/macaron/session/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/.gitignore b/vendor/gitea.com/macaron/session/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/LICENSE b/vendor/gitea.com/macaron/session/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/README.md b/vendor/gitea.com/macaron/session/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/couchbase/couchbase.go b/vendor/gitea.com/macaron/session/couchbase/couchbase.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/file.go b/vendor/gitea.com/macaron/session/file.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/flash.go b/vendor/gitea.com/macaron/session/flash.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/go.mod b/vendor/gitea.com/macaron/session/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/go.sum b/vendor/gitea.com/macaron/session/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/memcache/memcache.go b/vendor/gitea.com/macaron/session/memcache/memcache.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/memcache/memcache.goconvey b/vendor/gitea.com/macaron/session/memcache/memcache.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/memory.go b/vendor/gitea.com/macaron/session/memory.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/mysql/mysql.go b/vendor/gitea.com/macaron/session/mysql/mysql.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/mysql/mysql.goconvey b/vendor/gitea.com/macaron/session/mysql/mysql.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/nodb/nodb.go b/vendor/gitea.com/macaron/session/nodb/nodb.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/nodb/nodb.goconvey b/vendor/gitea.com/macaron/session/nodb/nodb.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/postgres/postgres.go b/vendor/gitea.com/macaron/session/postgres/postgres.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/postgres/postgres.goconvey b/vendor/gitea.com/macaron/session/postgres/postgres.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/redis/redis.go b/vendor/gitea.com/macaron/session/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/redis/redis.goconvey b/vendor/gitea.com/macaron/session/redis/redis.goconvey old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/session.go b/vendor/gitea.com/macaron/session/session.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/session/utils.go b/vendor/gitea.com/macaron/session/utils.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/.drone.yml b/vendor/gitea.com/macaron/toolbox/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/.gitignore b/vendor/gitea.com/macaron/toolbox/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/LICENSE b/vendor/gitea.com/macaron/toolbox/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/README.md b/vendor/gitea.com/macaron/toolbox/README.md old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/go.mod b/vendor/gitea.com/macaron/toolbox/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/go.sum b/vendor/gitea.com/macaron/toolbox/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/healthcheck.go b/vendor/gitea.com/macaron/toolbox/healthcheck.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/profile.go b/vendor/gitea.com/macaron/toolbox/profile.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/statistic.go b/vendor/gitea.com/macaron/toolbox/statistic.go old mode 100644 new mode 100755 diff --git a/vendor/gitea.com/macaron/toolbox/toolbox.go b/vendor/gitea.com/macaron/toolbox/toolbox.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.gitignore b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.travis.yml b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CODE_OF_CONDUCT.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CONTRIBUTING.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/LICENSE b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/PULL_REQUEST_TEMPLATE.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/PULL_REQUEST_TEMPLATE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README_zh.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/README_zh.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/SECURITY.md b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/SECURITY.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/adjust.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/adjust.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/calcchain.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/calcchain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cell.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cell.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cellmerged.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/cellmerged.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/chart.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/chart.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/codelingo.yaml b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/codelingo.yaml old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/col.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/col.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/comment.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/comment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/datavalidation.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/datavalidation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/date.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/date.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/docProps.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/docProps.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/errors.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.svg b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/excelize.svg old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/file.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.mod b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.sum b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/hsl.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/hsl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/lib.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/lib.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/logo.png b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/logo.png old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/picture.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/picture.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/pivotTable.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/pivotTable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/rows.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/rows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/shape.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/shape.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheet.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetpr.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetpr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetview.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sheetview.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sparkline.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/sparkline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/styles.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/styles.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/table.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/templates.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/templates.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/vmlDrawing.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/vmlDrawing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlApp.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlApp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCalcChain.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCalcChain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlChart.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlChart.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlComments.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlComments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlContentTypes.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlContentTypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCore.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlCore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDecodeDrawing.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDecodeDrawing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDrawing.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlDrawing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotCache.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotCache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotTable.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlPivotTable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlSharedStrings.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlSharedStrings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlStyles.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlStyles.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTable.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTheme.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlTheme.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorkbook.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorkbook.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorksheet.go b/vendor/github.com/360EntSecGroup-Skylar/excelize/v2/xmlWorksheet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/.gitignore b/vendor/github.com/BurntSushi/toml/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/.travis.yml b/vendor/github.com/BurntSushi/toml/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/COMPATIBLE b/vendor/github.com/BurntSushi/toml/COMPATIBLE old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/COPYING b/vendor/github.com/BurntSushi/toml/COPYING old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/Makefile b/vendor/github.com/BurntSushi/toml/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/README.md b/vendor/github.com/BurntSushi/toml/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/decode.go b/vendor/github.com/BurntSushi/toml/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/decode_meta.go b/vendor/github.com/BurntSushi/toml/decode_meta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/doc.go b/vendor/github.com/BurntSushi/toml/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/encode.go b/vendor/github.com/BurntSushi/toml/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/encoding_types.go b/vendor/github.com/BurntSushi/toml/encoding_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/encoding_types_1.1.go b/vendor/github.com/BurntSushi/toml/encoding_types_1.1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/lex.go b/vendor/github.com/BurntSushi/toml/lex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/parse.go b/vendor/github.com/BurntSushi/toml/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/session.vim b/vendor/github.com/BurntSushi/toml/session.vim old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/type_check.go b/vendor/github.com/BurntSushi/toml/type_check.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/BurntSushi/toml/type_fields.go b/vendor/github.com/BurntSushi/toml/type_fields.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/.gitattributes b/vendor/github.com/PuerkitoBio/goquery/.gitattributes old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/.gitignore b/vendor/github.com/PuerkitoBio/goquery/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/.travis.yml b/vendor/github.com/PuerkitoBio/goquery/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/LICENSE b/vendor/github.com/PuerkitoBio/goquery/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/README.md b/vendor/github.com/PuerkitoBio/goquery/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/array.go b/vendor/github.com/PuerkitoBio/goquery/array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/doc.go b/vendor/github.com/PuerkitoBio/goquery/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/expand.go b/vendor/github.com/PuerkitoBio/goquery/expand.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/filter.go b/vendor/github.com/PuerkitoBio/goquery/filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/go.mod b/vendor/github.com/PuerkitoBio/goquery/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/go.sum b/vendor/github.com/PuerkitoBio/goquery/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/iteration.go b/vendor/github.com/PuerkitoBio/goquery/iteration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/manipulation.go b/vendor/github.com/PuerkitoBio/goquery/manipulation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/property.go b/vendor/github.com/PuerkitoBio/goquery/property.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/query.go b/vendor/github.com/PuerkitoBio/goquery/query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/traversal.go b/vendor/github.com/PuerkitoBio/goquery/traversal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/type.go b/vendor/github.com/PuerkitoBio/goquery/type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/goquery/utilities.go b/vendor/github.com/PuerkitoBio/goquery/utilities.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/purell/.gitignore b/vendor/github.com/PuerkitoBio/purell/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/purell/.travis.yml b/vendor/github.com/PuerkitoBio/purell/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/purell/LICENSE b/vendor/github.com/PuerkitoBio/purell/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/purell/README.md b/vendor/github.com/PuerkitoBio/purell/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/purell/purell.go b/vendor/github.com/PuerkitoBio/purell/purell.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/urlesc/.travis.yml b/vendor/github.com/PuerkitoBio/urlesc/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/urlesc/LICENSE b/vendor/github.com/PuerkitoBio/urlesc/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/urlesc/README.md b/vendor/github.com/PuerkitoBio/urlesc/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/PuerkitoBio/urlesc/urlesc.go b/vendor/github.com/PuerkitoBio/urlesc/urlesc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/.gitignore b/vendor/github.com/RichardKnop/logging/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/.travis.yml b/vendor/github.com/RichardKnop/logging/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/LICENSE b/vendor/github.com/RichardKnop/logging/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/Makefile b/vendor/github.com/RichardKnop/logging/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/README.md b/vendor/github.com/RichardKnop/logging/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/coloured_formatter.go b/vendor/github.com/RichardKnop/logging/coloured_formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/default_formatter.go b/vendor/github.com/RichardKnop/logging/default_formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/formatter_interface.go b/vendor/github.com/RichardKnop/logging/formatter_interface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/go.mod b/vendor/github.com/RichardKnop/logging/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/go.sum b/vendor/github.com/RichardKnop/logging/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/gometalinter.json b/vendor/github.com/RichardKnop/logging/gometalinter.json old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/interface.go b/vendor/github.com/RichardKnop/logging/interface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/logging/logger.go b/vendor/github.com/RichardKnop/logging/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/LICENSE b/vendor/github.com/RichardKnop/machinery/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/amqp/amqp.go b/vendor/github.com/RichardKnop/machinery/v1/backends/amqp/amqp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/dynamodb/dynamodb.go b/vendor/github.com/RichardKnop/machinery/v1/backends/dynamodb/dynamodb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/eager/eager.go b/vendor/github.com/RichardKnop/machinery/v1/backends/eager/eager.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/iface/interfaces.go b/vendor/github.com/RichardKnop/machinery/v1/backends/iface/interfaces.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/memcache/memcache.go b/vendor/github.com/RichardKnop/machinery/v1/backends/memcache/memcache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/mongo/mongodb.go b/vendor/github.com/RichardKnop/machinery/v1/backends/mongo/mongodb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/null/null.go b/vendor/github.com/RichardKnop/machinery/v1/backends/null/null.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/redis/redis.go b/vendor/github.com/RichardKnop/machinery/v1/backends/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/backends/result/async_result.go b/vendor/github.com/RichardKnop/machinery/v1/backends/result/async_result.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/amqp/amqp.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/amqp/amqp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/eager/eager.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/eager/eager.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/errs/errors.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/errs/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/gcppubsub/gcp_pubsub.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/gcppubsub/gcp_pubsub.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/iface/interfaces.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/iface/interfaces.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/redis/redis.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/brokers/sqs/sqs.go b/vendor/github.com/RichardKnop/machinery/v1/brokers/sqs/sqs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/common/amqp.go b/vendor/github.com/RichardKnop/machinery/v1/common/amqp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/common/backend.go b/vendor/github.com/RichardKnop/machinery/v1/common/backend.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/common/broker.go b/vendor/github.com/RichardKnop/machinery/v1/common/broker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/common/redis.go b/vendor/github.com/RichardKnop/machinery/v1/common/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/config/config.go b/vendor/github.com/RichardKnop/machinery/v1/config/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/config/env.go b/vendor/github.com/RichardKnop/machinery/v1/config/env.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/config/file.go b/vendor/github.com/RichardKnop/machinery/v1/config/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/config/test.env b/vendor/github.com/RichardKnop/machinery/v1/config/test.env old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/config/testconfig.yml b/vendor/github.com/RichardKnop/machinery/v1/config/testconfig.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/factories.go b/vendor/github.com/RichardKnop/machinery/v1/factories.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/log/log.go b/vendor/github.com/RichardKnop/machinery/v1/log/log.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/package.go b/vendor/github.com/RichardKnop/machinery/v1/package.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/retry/fibonacci.go b/vendor/github.com/RichardKnop/machinery/v1/retry/fibonacci.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/retry/retry.go b/vendor/github.com/RichardKnop/machinery/v1/retry/retry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/server.go b/vendor/github.com/RichardKnop/machinery/v1/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/errors.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/reflect.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/reflect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/result.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/result.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/signature.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/signature.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/state.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/state.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/task.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/task.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/validate.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/validate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tasks/workflow.go b/vendor/github.com/RichardKnop/machinery/v1/tasks/workflow.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/tracing/tracing.go b/vendor/github.com/RichardKnop/machinery/v1/tracing/tracing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/machinery/v1/worker.go b/vendor/github.com/RichardKnop/machinery/v1/worker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/.gitlab-ci.yml b/vendor/github.com/RichardKnop/redsync/.gitlab-ci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/LICENSE b/vendor/github.com/RichardKnop/redsync/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/README.md b/vendor/github.com/RichardKnop/redsync/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/VERSION b/vendor/github.com/RichardKnop/redsync/VERSION old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/doc.go b/vendor/github.com/RichardKnop/redsync/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/error.go b/vendor/github.com/RichardKnop/redsync/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/mutex.go b/vendor/github.com/RichardKnop/redsync/mutex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/redis.go b/vendor/github.com/RichardKnop/redsync/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RichardKnop/redsync/redsync.go b/vendor/github.com/RichardKnop/redsync/redsync.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/.drone.yml b/vendor/github.com/RoaringBitmap/roaring/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/.gitignore b/vendor/github.com/RoaringBitmap/roaring/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/.gitmodules b/vendor/github.com/RoaringBitmap/roaring/.gitmodules old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/.travis.yml b/vendor/github.com/RoaringBitmap/roaring/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/AUTHORS b/vendor/github.com/RoaringBitmap/roaring/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/CONTRIBUTORS b/vendor/github.com/RoaringBitmap/roaring/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/LICENSE b/vendor/github.com/RoaringBitmap/roaring/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/LICENSE-2.0.txt b/vendor/github.com/RoaringBitmap/roaring/LICENSE-2.0.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/Makefile b/vendor/github.com/RoaringBitmap/roaring/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/README.md b/vendor/github.com/RoaringBitmap/roaring/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/arraycontainer.go b/vendor/github.com/RoaringBitmap/roaring/arraycontainer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/arraycontainer_gen.go b/vendor/github.com/RoaringBitmap/roaring/arraycontainer_gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/bitmapcontainer.go b/vendor/github.com/RoaringBitmap/roaring/bitmapcontainer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/bitmapcontainer_gen.go b/vendor/github.com/RoaringBitmap/roaring/bitmapcontainer_gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/byte_input.go b/vendor/github.com/RoaringBitmap/roaring/byte_input.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/clz.go b/vendor/github.com/RoaringBitmap/roaring/clz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/clz_compat.go b/vendor/github.com/RoaringBitmap/roaring/clz_compat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/ctz.go b/vendor/github.com/RoaringBitmap/roaring/ctz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/ctz_compat.go b/vendor/github.com/RoaringBitmap/roaring/ctz_compat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/fastaggregation.go b/vendor/github.com/RoaringBitmap/roaring/fastaggregation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/go.mod b/vendor/github.com/RoaringBitmap/roaring/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/go.sum b/vendor/github.com/RoaringBitmap/roaring/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/manyiterator.go b/vendor/github.com/RoaringBitmap/roaring/manyiterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/parallel.go b/vendor/github.com/RoaringBitmap/roaring/parallel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt.go b/vendor/github.com/RoaringBitmap/roaring/popcnt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt_amd64.s b/vendor/github.com/RoaringBitmap/roaring/popcnt_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt_asm.go b/vendor/github.com/RoaringBitmap/roaring/popcnt_asm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt_compat.go b/vendor/github.com/RoaringBitmap/roaring/popcnt_compat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt_generic.go b/vendor/github.com/RoaringBitmap/roaring/popcnt_generic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/popcnt_slices.go b/vendor/github.com/RoaringBitmap/roaring/popcnt_slices.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/priorityqueue.go b/vendor/github.com/RoaringBitmap/roaring/priorityqueue.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/roaring.go b/vendor/github.com/RoaringBitmap/roaring/roaring.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/roaringarray.go b/vendor/github.com/RoaringBitmap/roaring/roaringarray.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/roaringarray_gen.go b/vendor/github.com/RoaringBitmap/roaring/roaringarray_gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/runcontainer.go b/vendor/github.com/RoaringBitmap/roaring/runcontainer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/runcontainer_gen.go b/vendor/github.com/RoaringBitmap/roaring/runcontainer_gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/serialization.go b/vendor/github.com/RoaringBitmap/roaring/serialization.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/serialization_generic.go b/vendor/github.com/RoaringBitmap/roaring/serialization_generic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/serialization_littleendian.go b/vendor/github.com/RoaringBitmap/roaring/serialization_littleendian.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/serializationfuzz.go b/vendor/github.com/RoaringBitmap/roaring/serializationfuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/setutil.go b/vendor/github.com/RoaringBitmap/roaring/setutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/shortiterator.go b/vendor/github.com/RoaringBitmap/roaring/shortiterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/smat.go b/vendor/github.com/RoaringBitmap/roaring/smat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/RoaringBitmap/roaring/util.go b/vendor/github.com/RoaringBitmap/roaring/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/.gitignore b/vendor/github.com/alecthomas/chroma/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/.golangci.yml b/vendor/github.com/alecthomas/chroma/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/.goreleaser.yml b/vendor/github.com/alecthomas/chroma/.goreleaser.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/COPYING b/vendor/github.com/alecthomas/chroma/COPYING old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/Makefile b/vendor/github.com/alecthomas/chroma/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/README.md b/vendor/github.com/alecthomas/chroma/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/coalesce.go b/vendor/github.com/alecthomas/chroma/coalesce.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/colour.go b/vendor/github.com/alecthomas/chroma/colour.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/delegate.go b/vendor/github.com/alecthomas/chroma/delegate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/doc.go b/vendor/github.com/alecthomas/chroma/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/formatter.go b/vendor/github.com/alecthomas/chroma/formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/formatters/html/html.go b/vendor/github.com/alecthomas/chroma/formatters/html/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/go.mod b/vendor/github.com/alecthomas/chroma/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/go.sum b/vendor/github.com/alecthomas/chroma/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/iterator.go b/vendor/github.com/alecthomas/chroma/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexer.go b/vendor/github.com/alecthomas/chroma/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/README.md b/vendor/github.com/alecthomas/chroma/lexers/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/abap.go b/vendor/github.com/alecthomas/chroma/lexers/a/abap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/abnf.go b/vendor/github.com/alecthomas/chroma/lexers/a/abnf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/actionscript.go b/vendor/github.com/alecthomas/chroma/lexers/a/actionscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/actionscript3.go b/vendor/github.com/alecthomas/chroma/lexers/a/actionscript3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/ada.go b/vendor/github.com/alecthomas/chroma/lexers/a/ada.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/al.go b/vendor/github.com/alecthomas/chroma/lexers/a/al.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/angular2.go b/vendor/github.com/alecthomas/chroma/lexers/a/angular2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/antlr.go b/vendor/github.com/alecthomas/chroma/lexers/a/antlr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/apache.go b/vendor/github.com/alecthomas/chroma/lexers/a/apache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/apl.go b/vendor/github.com/alecthomas/chroma/lexers/a/apl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/applescript.go b/vendor/github.com/alecthomas/chroma/lexers/a/applescript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/arduino.go b/vendor/github.com/alecthomas/chroma/lexers/a/arduino.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/armasm.go b/vendor/github.com/alecthomas/chroma/lexers/a/armasm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/a/awk.go b/vendor/github.com/alecthomas/chroma/lexers/a/awk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/ballerina.go b/vendor/github.com/alecthomas/chroma/lexers/b/ballerina.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/bash.go b/vendor/github.com/alecthomas/chroma/lexers/b/bash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/bashsession.go b/vendor/github.com/alecthomas/chroma/lexers/b/bashsession.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/batch.go b/vendor/github.com/alecthomas/chroma/lexers/b/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/bibtex.go b/vendor/github.com/alecthomas/chroma/lexers/b/bibtex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/bicep.go b/vendor/github.com/alecthomas/chroma/lexers/b/bicep.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/blitz.go b/vendor/github.com/alecthomas/chroma/lexers/b/blitz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/bnf.go b/vendor/github.com/alecthomas/chroma/lexers/b/bnf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/b/brainfuck.go b/vendor/github.com/alecthomas/chroma/lexers/b/brainfuck.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/c.go b/vendor/github.com/alecthomas/chroma/lexers/c/c.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/caddyfile.go b/vendor/github.com/alecthomas/chroma/lexers/c/caddyfile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/capnproto.go b/vendor/github.com/alecthomas/chroma/lexers/c/capnproto.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/ceylon.go b/vendor/github.com/alecthomas/chroma/lexers/c/ceylon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cfengine3.go b/vendor/github.com/alecthomas/chroma/lexers/c/cfengine3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/chaiscript.go b/vendor/github.com/alecthomas/chroma/lexers/c/chaiscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cheetah.go b/vendor/github.com/alecthomas/chroma/lexers/c/cheetah.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cl.go b/vendor/github.com/alecthomas/chroma/lexers/c/cl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/clojure.go b/vendor/github.com/alecthomas/chroma/lexers/c/clojure.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cmake.go b/vendor/github.com/alecthomas/chroma/lexers/c/cmake.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cobol.go b/vendor/github.com/alecthomas/chroma/lexers/c/cobol.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/coffee.go b/vendor/github.com/alecthomas/chroma/lexers/c/coffee.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/coldfusion.go b/vendor/github.com/alecthomas/chroma/lexers/c/coldfusion.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/coq.go b/vendor/github.com/alecthomas/chroma/lexers/c/coq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cpp.go b/vendor/github.com/alecthomas/chroma/lexers/c/cpp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cql.go b/vendor/github.com/alecthomas/chroma/lexers/c/cql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/crystal.go b/vendor/github.com/alecthomas/chroma/lexers/c/crystal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/csharp.go b/vendor/github.com/alecthomas/chroma/lexers/c/csharp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/css.go b/vendor/github.com/alecthomas/chroma/lexers/c/css.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/c/cython.go b/vendor/github.com/alecthomas/chroma/lexers/c/cython.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/circular/doc.go b/vendor/github.com/alecthomas/chroma/lexers/circular/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/circular/php.go b/vendor/github.com/alecthomas/chroma/lexers/circular/php.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/circular/phtml.go b/vendor/github.com/alecthomas/chroma/lexers/circular/phtml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/d.go b/vendor/github.com/alecthomas/chroma/lexers/d/d.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/dart.go b/vendor/github.com/alecthomas/chroma/lexers/d/dart.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/diff.go b/vendor/github.com/alecthomas/chroma/lexers/d/diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/django.go b/vendor/github.com/alecthomas/chroma/lexers/d/django.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/docker.go b/vendor/github.com/alecthomas/chroma/lexers/d/docker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/dtd.go b/vendor/github.com/alecthomas/chroma/lexers/d/dtd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/d/dylan.go b/vendor/github.com/alecthomas/chroma/lexers/d/dylan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/e/ebnf.go b/vendor/github.com/alecthomas/chroma/lexers/e/ebnf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/e/elixir.go b/vendor/github.com/alecthomas/chroma/lexers/e/elixir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/e/elm.go b/vendor/github.com/alecthomas/chroma/lexers/e/elm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/e/emacs.go b/vendor/github.com/alecthomas/chroma/lexers/e/emacs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/e/erlang.go b/vendor/github.com/alecthomas/chroma/lexers/e/erlang.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/factor.go b/vendor/github.com/alecthomas/chroma/lexers/f/factor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/fennel.go b/vendor/github.com/alecthomas/chroma/lexers/f/fennel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/fish.go b/vendor/github.com/alecthomas/chroma/lexers/f/fish.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/forth.go b/vendor/github.com/alecthomas/chroma/lexers/f/forth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/fortran.go b/vendor/github.com/alecthomas/chroma/lexers/f/fortran.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/fortran_fixed.go b/vendor/github.com/alecthomas/chroma/lexers/f/fortran_fixed.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/f/fsharp.go b/vendor/github.com/alecthomas/chroma/lexers/f/fsharp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/gas.go b/vendor/github.com/alecthomas/chroma/lexers/g/gas.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/gdscript.go b/vendor/github.com/alecthomas/chroma/lexers/g/gdscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/genshi.go b/vendor/github.com/alecthomas/chroma/lexers/g/genshi.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/gherkin.go b/vendor/github.com/alecthomas/chroma/lexers/g/gherkin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/glsl.go b/vendor/github.com/alecthomas/chroma/lexers/g/glsl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/gnuplot.go b/vendor/github.com/alecthomas/chroma/lexers/g/gnuplot.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/go.go b/vendor/github.com/alecthomas/chroma/lexers/g/go.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/graphql.go b/vendor/github.com/alecthomas/chroma/lexers/g/graphql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/groff.go b/vendor/github.com/alecthomas/chroma/lexers/g/groff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/g/groovy.go b/vendor/github.com/alecthomas/chroma/lexers/g/groovy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/handlebars.go b/vendor/github.com/alecthomas/chroma/lexers/h/handlebars.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/haskell.go b/vendor/github.com/alecthomas/chroma/lexers/h/haskell.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/haxe.go b/vendor/github.com/alecthomas/chroma/lexers/h/haxe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/hcl.go b/vendor/github.com/alecthomas/chroma/lexers/h/hcl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/hexdump.go b/vendor/github.com/alecthomas/chroma/lexers/h/hexdump.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/hlb.go b/vendor/github.com/alecthomas/chroma/lexers/h/hlb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/html.go b/vendor/github.com/alecthomas/chroma/lexers/h/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/http.go b/vendor/github.com/alecthomas/chroma/lexers/h/http.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/h/hy.go b/vendor/github.com/alecthomas/chroma/lexers/h/hy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/i/idris.go b/vendor/github.com/alecthomas/chroma/lexers/i/idris.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/i/igor.go b/vendor/github.com/alecthomas/chroma/lexers/i/igor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/i/ini.go b/vendor/github.com/alecthomas/chroma/lexers/i/ini.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/i/io.go b/vendor/github.com/alecthomas/chroma/lexers/i/io.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/internal/api.go b/vendor/github.com/alecthomas/chroma/lexers/internal/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/j.go b/vendor/github.com/alecthomas/chroma/lexers/j/j.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/java.go b/vendor/github.com/alecthomas/chroma/lexers/j/java.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/javascript.go b/vendor/github.com/alecthomas/chroma/lexers/j/javascript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/json.go b/vendor/github.com/alecthomas/chroma/lexers/j/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/jsx.go b/vendor/github.com/alecthomas/chroma/lexers/j/jsx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/julia.go b/vendor/github.com/alecthomas/chroma/lexers/j/julia.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/j/jungle.go b/vendor/github.com/alecthomas/chroma/lexers/j/jungle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/k/kotlin.go b/vendor/github.com/alecthomas/chroma/lexers/k/kotlin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/l/lighttpd.go b/vendor/github.com/alecthomas/chroma/lexers/l/lighttpd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/l/llvm.go b/vendor/github.com/alecthomas/chroma/lexers/l/llvm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/l/lua.go b/vendor/github.com/alecthomas/chroma/lexers/l/lua.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/lexers.go b/vendor/github.com/alecthomas/chroma/lexers/lexers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/make.go b/vendor/github.com/alecthomas/chroma/lexers/m/make.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mako.go b/vendor/github.com/alecthomas/chroma/lexers/m/mako.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/markdown.go b/vendor/github.com/alecthomas/chroma/lexers/m/markdown.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mason.go b/vendor/github.com/alecthomas/chroma/lexers/m/mason.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mathematica.go b/vendor/github.com/alecthomas/chroma/lexers/m/mathematica.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/matlab.go b/vendor/github.com/alecthomas/chroma/lexers/m/matlab.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mcfunction.go b/vendor/github.com/alecthomas/chroma/lexers/m/mcfunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/meson.go b/vendor/github.com/alecthomas/chroma/lexers/m/meson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/metal.go b/vendor/github.com/alecthomas/chroma/lexers/m/metal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/minizinc.go b/vendor/github.com/alecthomas/chroma/lexers/m/minizinc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mlir.go b/vendor/github.com/alecthomas/chroma/lexers/m/mlir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/modula2.go b/vendor/github.com/alecthomas/chroma/lexers/m/modula2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/monkeyc.go b/vendor/github.com/alecthomas/chroma/lexers/m/monkeyc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mwscript.go b/vendor/github.com/alecthomas/chroma/lexers/m/mwscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/myghty.go b/vendor/github.com/alecthomas/chroma/lexers/m/myghty.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/m/mysql.go b/vendor/github.com/alecthomas/chroma/lexers/m/mysql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/n/nasm.go b/vendor/github.com/alecthomas/chroma/lexers/n/nasm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/n/newspeak.go b/vendor/github.com/alecthomas/chroma/lexers/n/newspeak.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/n/nginx.go b/vendor/github.com/alecthomas/chroma/lexers/n/nginx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/n/nim.go b/vendor/github.com/alecthomas/chroma/lexers/n/nim.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/n/nix.go b/vendor/github.com/alecthomas/chroma/lexers/n/nix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/objectivec.go b/vendor/github.com/alecthomas/chroma/lexers/o/objectivec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/ocaml.go b/vendor/github.com/alecthomas/chroma/lexers/o/ocaml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/octave.go b/vendor/github.com/alecthomas/chroma/lexers/o/octave.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/onesenterprise.go b/vendor/github.com/alecthomas/chroma/lexers/o/onesenterprise.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/openedgeabl.go b/vendor/github.com/alecthomas/chroma/lexers/o/openedgeabl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/openscad.go b/vendor/github.com/alecthomas/chroma/lexers/o/openscad.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/o/org.go b/vendor/github.com/alecthomas/chroma/lexers/o/org.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/pacman.go b/vendor/github.com/alecthomas/chroma/lexers/p/pacman.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/perl.go b/vendor/github.com/alecthomas/chroma/lexers/p/perl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/pig.go b/vendor/github.com/alecthomas/chroma/lexers/p/pig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/pkgconfig.go b/vendor/github.com/alecthomas/chroma/lexers/p/pkgconfig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/plaintext.go b/vendor/github.com/alecthomas/chroma/lexers/p/plaintext.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/plsql.go b/vendor/github.com/alecthomas/chroma/lexers/p/plsql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/plutus_core.go b/vendor/github.com/alecthomas/chroma/lexers/p/plutus_core.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/pony.go b/vendor/github.com/alecthomas/chroma/lexers/p/pony.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/postgres.go b/vendor/github.com/alecthomas/chroma/lexers/p/postgres.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/postscript.go b/vendor/github.com/alecthomas/chroma/lexers/p/postscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/povray.go b/vendor/github.com/alecthomas/chroma/lexers/p/povray.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/powerquery.go b/vendor/github.com/alecthomas/chroma/lexers/p/powerquery.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/powershell.go b/vendor/github.com/alecthomas/chroma/lexers/p/powershell.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/prolog.go b/vendor/github.com/alecthomas/chroma/lexers/p/prolog.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/promql.go b/vendor/github.com/alecthomas/chroma/lexers/p/promql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/protobuf.go b/vendor/github.com/alecthomas/chroma/lexers/p/protobuf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/puppet.go b/vendor/github.com/alecthomas/chroma/lexers/p/puppet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/python.go b/vendor/github.com/alecthomas/chroma/lexers/p/python.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/p/python2.go b/vendor/github.com/alecthomas/chroma/lexers/p/python2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/q/qbasic.go b/vendor/github.com/alecthomas/chroma/lexers/q/qbasic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/q/qml.go b/vendor/github.com/alecthomas/chroma/lexers/q/qml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/r.go b/vendor/github.com/alecthomas/chroma/lexers/r/r.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/racket.go b/vendor/github.com/alecthomas/chroma/lexers/r/racket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/ragel.go b/vendor/github.com/alecthomas/chroma/lexers/r/ragel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/raku.go b/vendor/github.com/alecthomas/chroma/lexers/r/raku.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/reasonml.go b/vendor/github.com/alecthomas/chroma/lexers/r/reasonml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/regedit.go b/vendor/github.com/alecthomas/chroma/lexers/r/regedit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/rexx.go b/vendor/github.com/alecthomas/chroma/lexers/r/rexx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/rst.go b/vendor/github.com/alecthomas/chroma/lexers/r/rst.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/ruby.go b/vendor/github.com/alecthomas/chroma/lexers/r/ruby.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/r/rust.go b/vendor/github.com/alecthomas/chroma/lexers/r/rust.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sas.go b/vendor/github.com/alecthomas/chroma/lexers/s/sas.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sass.go b/vendor/github.com/alecthomas/chroma/lexers/s/sass.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/scala.go b/vendor/github.com/alecthomas/chroma/lexers/s/scala.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/scheme.go b/vendor/github.com/alecthomas/chroma/lexers/s/scheme.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/scilab.go b/vendor/github.com/alecthomas/chroma/lexers/s/scilab.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/scss.go b/vendor/github.com/alecthomas/chroma/lexers/s/scss.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sieve.go b/vendor/github.com/alecthomas/chroma/lexers/s/sieve.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/smalltalk.go b/vendor/github.com/alecthomas/chroma/lexers/s/smalltalk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/smarty.go b/vendor/github.com/alecthomas/chroma/lexers/s/smarty.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sml.go b/vendor/github.com/alecthomas/chroma/lexers/s/sml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/snobol.go b/vendor/github.com/alecthomas/chroma/lexers/s/snobol.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/solidity.go b/vendor/github.com/alecthomas/chroma/lexers/s/solidity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sparql.go b/vendor/github.com/alecthomas/chroma/lexers/s/sparql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/sql.go b/vendor/github.com/alecthomas/chroma/lexers/s/sql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/squid.go b/vendor/github.com/alecthomas/chroma/lexers/s/squid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/stylus.go b/vendor/github.com/alecthomas/chroma/lexers/s/stylus.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/svelte.go b/vendor/github.com/alecthomas/chroma/lexers/s/svelte.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/swift.go b/vendor/github.com/alecthomas/chroma/lexers/s/swift.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/systemd.go b/vendor/github.com/alecthomas/chroma/lexers/s/systemd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/s/systemverilog.go b/vendor/github.com/alecthomas/chroma/lexers/s/systemverilog.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tablegen.go b/vendor/github.com/alecthomas/chroma/lexers/t/tablegen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tasm.go b/vendor/github.com/alecthomas/chroma/lexers/t/tasm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tcl.go b/vendor/github.com/alecthomas/chroma/lexers/t/tcl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tcsh.go b/vendor/github.com/alecthomas/chroma/lexers/t/tcsh.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/termcap.go b/vendor/github.com/alecthomas/chroma/lexers/t/termcap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/terminfo.go b/vendor/github.com/alecthomas/chroma/lexers/t/terminfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/terraform.go b/vendor/github.com/alecthomas/chroma/lexers/t/terraform.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tex.go b/vendor/github.com/alecthomas/chroma/lexers/t/tex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/thrift.go b/vendor/github.com/alecthomas/chroma/lexers/t/thrift.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/toml.go b/vendor/github.com/alecthomas/chroma/lexers/t/toml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/tradingview.go b/vendor/github.com/alecthomas/chroma/lexers/t/tradingview.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/transactsql.go b/vendor/github.com/alecthomas/chroma/lexers/t/transactsql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/turing.go b/vendor/github.com/alecthomas/chroma/lexers/t/turing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/turtle.go b/vendor/github.com/alecthomas/chroma/lexers/t/turtle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/twig.go b/vendor/github.com/alecthomas/chroma/lexers/t/twig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/typescript.go b/vendor/github.com/alecthomas/chroma/lexers/t/typescript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/t/typoscript.go b/vendor/github.com/alecthomas/chroma/lexers/t/typoscript.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/v/vb.go b/vendor/github.com/alecthomas/chroma/lexers/v/vb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/v/verilog.go b/vendor/github.com/alecthomas/chroma/lexers/v/verilog.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/v/vhdl.go b/vendor/github.com/alecthomas/chroma/lexers/v/vhdl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/v/vim.go b/vendor/github.com/alecthomas/chroma/lexers/v/vim.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/v/vue.go b/vendor/github.com/alecthomas/chroma/lexers/v/vue.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/w/wdte.go b/vendor/github.com/alecthomas/chroma/lexers/w/wdte.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/x/xml.go b/vendor/github.com/alecthomas/chroma/lexers/x/xml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/x/xorg.go b/vendor/github.com/alecthomas/chroma/lexers/x/xorg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/y/yaml.go b/vendor/github.com/alecthomas/chroma/lexers/y/yaml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/y/yang.go b/vendor/github.com/alecthomas/chroma/lexers/y/yang.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/z/zed.go b/vendor/github.com/alecthomas/chroma/lexers/z/zed.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/lexers/z/zig.go b/vendor/github.com/alecthomas/chroma/lexers/z/zig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/mutators.go b/vendor/github.com/alecthomas/chroma/mutators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/pygments-lexers.txt b/vendor/github.com/alecthomas/chroma/pygments-lexers.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/regexp.go b/vendor/github.com/alecthomas/chroma/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/remap.go b/vendor/github.com/alecthomas/chroma/remap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/style.go b/vendor/github.com/alecthomas/chroma/style.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/abap.go b/vendor/github.com/alecthomas/chroma/styles/abap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/algol.go b/vendor/github.com/alecthomas/chroma/styles/algol.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/algol_nu.go b/vendor/github.com/alecthomas/chroma/styles/algol_nu.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/api.go b/vendor/github.com/alecthomas/chroma/styles/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/arduino.go b/vendor/github.com/alecthomas/chroma/styles/arduino.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/autumn.go b/vendor/github.com/alecthomas/chroma/styles/autumn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/base16-snazzy.go b/vendor/github.com/alecthomas/chroma/styles/base16-snazzy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/borland.go b/vendor/github.com/alecthomas/chroma/styles/borland.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/bw.go b/vendor/github.com/alecthomas/chroma/styles/bw.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/colorful.go b/vendor/github.com/alecthomas/chroma/styles/colorful.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/doom-one.go b/vendor/github.com/alecthomas/chroma/styles/doom-one.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/doom-one2.go b/vendor/github.com/alecthomas/chroma/styles/doom-one2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/dracula.go b/vendor/github.com/alecthomas/chroma/styles/dracula.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/emacs.go b/vendor/github.com/alecthomas/chroma/styles/emacs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/friendly.go b/vendor/github.com/alecthomas/chroma/styles/friendly.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/fruity.go b/vendor/github.com/alecthomas/chroma/styles/fruity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/github.go b/vendor/github.com/alecthomas/chroma/styles/github.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/hr_dark.go b/vendor/github.com/alecthomas/chroma/styles/hr_dark.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/hr_high_contrast.go b/vendor/github.com/alecthomas/chroma/styles/hr_high_contrast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/igor.go b/vendor/github.com/alecthomas/chroma/styles/igor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/lovelace.go b/vendor/github.com/alecthomas/chroma/styles/lovelace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/manni.go b/vendor/github.com/alecthomas/chroma/styles/manni.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/monokai.go b/vendor/github.com/alecthomas/chroma/styles/monokai.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/monokailight.go b/vendor/github.com/alecthomas/chroma/styles/monokailight.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/murphy.go b/vendor/github.com/alecthomas/chroma/styles/murphy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/native.go b/vendor/github.com/alecthomas/chroma/styles/native.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/nord.go b/vendor/github.com/alecthomas/chroma/styles/nord.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/onesenterprise.go b/vendor/github.com/alecthomas/chroma/styles/onesenterprise.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/paraiso-dark.go b/vendor/github.com/alecthomas/chroma/styles/paraiso-dark.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/paraiso-light.go b/vendor/github.com/alecthomas/chroma/styles/paraiso-light.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/pastie.go b/vendor/github.com/alecthomas/chroma/styles/pastie.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/perldoc.go b/vendor/github.com/alecthomas/chroma/styles/perldoc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/pygments.go b/vendor/github.com/alecthomas/chroma/styles/pygments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/rainbow_dash.go b/vendor/github.com/alecthomas/chroma/styles/rainbow_dash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/rrt.go b/vendor/github.com/alecthomas/chroma/styles/rrt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/solarized-dark.go b/vendor/github.com/alecthomas/chroma/styles/solarized-dark.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/solarized-dark256.go b/vendor/github.com/alecthomas/chroma/styles/solarized-dark256.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/solarized-light.go b/vendor/github.com/alecthomas/chroma/styles/solarized-light.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/swapoff.go b/vendor/github.com/alecthomas/chroma/styles/swapoff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/tango.go b/vendor/github.com/alecthomas/chroma/styles/tango.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/trac.go b/vendor/github.com/alecthomas/chroma/styles/trac.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/vim.go b/vendor/github.com/alecthomas/chroma/styles/vim.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/vs.go b/vendor/github.com/alecthomas/chroma/styles/vs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/vulcan.go b/vendor/github.com/alecthomas/chroma/styles/vulcan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/witchhazel.go b/vendor/github.com/alecthomas/chroma/styles/witchhazel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/xcode-dark.go b/vendor/github.com/alecthomas/chroma/styles/xcode-dark.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/styles/xcode.go b/vendor/github.com/alecthomas/chroma/styles/xcode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/table.py b/vendor/github.com/alecthomas/chroma/table.py old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/tokentype_string.go b/vendor/github.com/alecthomas/chroma/tokentype_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alecthomas/chroma/types.go b/vendor/github.com/alecthomas/chroma/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/LICENSE b/vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/client/client.go b/vendor/github.com/alibabacloud-go/alibabacloud-gateway-spi/client/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/darabonba-openapi/LICENSE b/vendor/github.com/alibabacloud-go/darabonba-openapi/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/darabonba-openapi/client/client.go b/vendor/github.com/alibabacloud-go/darabonba-openapi/client/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/debug/LICENSE b/vendor/github.com/alibabacloud-go/debug/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/debug/debug/assert.go b/vendor/github.com/alibabacloud-go/debug/debug/assert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/debug/debug/debug.go b/vendor/github.com/alibabacloud-go/debug/debug/debug.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/dysmsapi-20170525/v2/client/client.go b/vendor/github.com/alibabacloud-go/dysmsapi-20170525/v2/client/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/endpoint-util/service/service.go b/vendor/github.com/alibabacloud-go/endpoint-util/service/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/openapi-util/LICENSE b/vendor/github.com/alibabacloud-go/openapi-util/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/openapi-util/service/service.go b/vendor/github.com/alibabacloud-go/openapi-util/service/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea-utils/service/service.go b/vendor/github.com/alibabacloud-go/tea-utils/service/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea-utils/service/util.go b/vendor/github.com/alibabacloud-go/tea-utils/service/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea-xml/service/service.go b/vendor/github.com/alibabacloud-go/tea-xml/service/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/LICENSE b/vendor/github.com/alibabacloud-go/tea/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/tea/json_parser.go b/vendor/github.com/alibabacloud-go/tea/tea/json_parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/tea/tea.go b/vendor/github.com/alibabacloud-go/tea/tea/tea.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/tea/trans.go b/vendor/github.com/alibabacloud-go/tea/tea/trans.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/utils/assert.go b/vendor/github.com/alibabacloud-go/tea/utils/assert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/utils/logger.go b/vendor/github.com/alibabacloud-go/tea/utils/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/alibabacloud-go/tea/utils/progress.go b/vendor/github.com/alibabacloud-go/tea/utils/progress.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/LICENSE b/vendor/github.com/aliyun/credentials-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/access_key_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/access_key_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/bearer_token_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/bearer_token_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/credential.go b/vendor/github.com/aliyun/credentials-go/credentials/credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/credential_updater.go b/vendor/github.com/aliyun/credentials-go/credentials/credential_updater.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/ecs_ram_role.go b/vendor/github.com/aliyun/credentials-go/credentials/ecs_ram_role.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/env_provider.go b/vendor/github.com/aliyun/credentials-go/credentials/env_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/instance_provider.go b/vendor/github.com/aliyun/credentials-go/credentials/instance_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/profile_provider.go b/vendor/github.com/aliyun/credentials-go/credentials/profile_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/provider.go b/vendor/github.com/aliyun/credentials-go/credentials/provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/provider_chain.go b/vendor/github.com/aliyun/credentials-go/credentials/provider_chain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/request/common_request.go b/vendor/github.com/aliyun/credentials-go/credentials/request/common_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/response/common_response.go b/vendor/github.com/aliyun/credentials-go/credentials/response/common_response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/rsa_key_pair_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/rsa_key_pair_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/session_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/session_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/sts_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/sts_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/sts_role_arn_credential.go b/vendor/github.com/aliyun/credentials-go/credentials/sts_role_arn_credential.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/utils/runtime.go b/vendor/github.com/aliyun/credentials-go/credentials/utils/runtime.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aliyun/credentials-go/credentials/utils/utils.go b/vendor/github.com/aliyun/credentials-go/credentials/utils/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/.travis.yml b/vendor/github.com/andybalholm/cascadia/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/LICENSE b/vendor/github.com/andybalholm/cascadia/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/README.md b/vendor/github.com/andybalholm/cascadia/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/go.mod b/vendor/github.com/andybalholm/cascadia/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/parser.go b/vendor/github.com/andybalholm/cascadia/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/andybalholm/cascadia/selector.go b/vendor/github.com/andybalholm/cascadia/selector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/anmitsu/go-shlex/.gitignore b/vendor/github.com/anmitsu/go-shlex/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/anmitsu/go-shlex/LICENSE b/vendor/github.com/anmitsu/go-shlex/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/anmitsu/go-shlex/README.md b/vendor/github.com/anmitsu/go-shlex/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/anmitsu/go-shlex/shlex.go b/vendor/github.com/anmitsu/go-shlex/shlex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/.travis.yml b/vendor/github.com/asaskevich/govalidator/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/CONTRIBUTING.md b/vendor/github.com/asaskevich/govalidator/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/LICENSE b/vendor/github.com/asaskevich/govalidator/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/README.md b/vendor/github.com/asaskevich/govalidator/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/arrays.go b/vendor/github.com/asaskevich/govalidator/arrays.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/converter.go b/vendor/github.com/asaskevich/govalidator/converter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/error.go b/vendor/github.com/asaskevich/govalidator/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/numerics.go b/vendor/github.com/asaskevich/govalidator/numerics.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/patterns.go b/vendor/github.com/asaskevich/govalidator/patterns.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/types.go b/vendor/github.com/asaskevich/govalidator/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/utils.go b/vendor/github.com/asaskevich/govalidator/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/validator.go b/vendor/github.com/asaskevich/govalidator/validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/asaskevich/govalidator/wercker.yml b/vendor/github.com/asaskevich/govalidator/wercker.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/LICENSE.txt b/vendor/github.com/aws/aws-sdk-go/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/NOTICE.txt b/vendor/github.com/aws/aws-sdk-go/NOTICE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awserr/error.go b/vendor/github.com/aws/aws-sdk-go/aws/awserr/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awserr/types.go b/vendor/github.com/aws/aws-sdk-go/aws/awserr/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awsutil/copy.go b/vendor/github.com/aws/aws-sdk-go/aws/awsutil/copy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awsutil/equal.go b/vendor/github.com/aws/aws-sdk-go/aws/awsutil/equal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awsutil/path_value.go b/vendor/github.com/aws/aws-sdk-go/aws/awsutil/path_value.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awsutil/prettify.go b/vendor/github.com/aws/aws-sdk-go/aws/awsutil/prettify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/awsutil/string_value.go b/vendor/github.com/aws/aws-sdk-go/aws/awsutil/string_value.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/client/client.go b/vendor/github.com/aws/aws-sdk-go/aws/client/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/client/default_retryer.go b/vendor/github.com/aws/aws-sdk-go/aws/client/default_retryer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/client/logger.go b/vendor/github.com/aws/aws-sdk-go/aws/client/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/client/metadata/client_info.go b/vendor/github.com/aws/aws-sdk-go/aws/client/metadata/client_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/client/no_op_retryer.go b/vendor/github.com/aws/aws-sdk-go/aws/client/no_op_retryer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/config.go b/vendor/github.com/aws/aws-sdk-go/aws/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/context_1_5.go b/vendor/github.com/aws/aws-sdk-go/aws/context_1_5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/context_1_9.go b/vendor/github.com/aws/aws-sdk-go/aws/context_1_9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/context_background_1_5.go b/vendor/github.com/aws/aws-sdk-go/aws/context_background_1_5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/context_background_1_7.go b/vendor/github.com/aws/aws-sdk-go/aws/context_background_1_7.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/context_sleep.go b/vendor/github.com/aws/aws-sdk-go/aws/context_sleep.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/convert_types.go b/vendor/github.com/aws/aws-sdk-go/aws/convert_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/handlers.go b/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/param_validator.go b/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/param_validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/user_agent.go b/vendor/github.com/aws/aws-sdk-go/aws/corehandlers/user_agent.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/chain_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/chain_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/credentials.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/ec2rolecreds/ec2_role_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/ec2rolecreds/ec2_role_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/endpointcreds/provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/endpointcreds/provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/env_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/env_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/example.ini b/vendor/github.com/aws/aws-sdk-go/aws/credentials/example.ini old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/processcreds/provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/processcreds/provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/shared_credentials_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/shared_credentials_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/static_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/static_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/assume_role_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/assume_role_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/web_identity_provider.go b/vendor/github.com/aws/aws-sdk-go/aws/credentials/stscreds/web_identity_provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/crr/cache.go b/vendor/github.com/aws/aws-sdk-go/aws/crr/cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/crr/endpoint.go b/vendor/github.com/aws/aws-sdk-go/aws/crr/endpoint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map.go b/vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map_1_8.go b/vendor/github.com/aws/aws-sdk-go/aws/crr/sync_map_1_8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/doc.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/enable.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/enable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/metric.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/metric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/metric_chan.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/metric_chan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/metric_exception.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/metric_exception.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/csm/reporter.go b/vendor/github.com/aws/aws-sdk-go/aws/csm/reporter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/defaults/defaults.go b/vendor/github.com/aws/aws-sdk-go/aws/defaults/defaults.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/defaults/shared_config.go b/vendor/github.com/aws/aws-sdk-go/aws/defaults/shared_config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/doc.go b/vendor/github.com/aws/aws-sdk-go/aws/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/api.go b/vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/service.go b/vendor/github.com/aws/aws-sdk-go/aws/ec2metadata/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/decode.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/defaults.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/defaults.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/dep_service_ids.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/dep_service_ids.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/doc.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/endpoints.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/endpoints.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/sts_legacy_regions.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/sts_legacy_regions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model_codegen.go b/vendor/github.com/aws/aws-sdk-go/aws/endpoints/v3model_codegen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/errors.go b/vendor/github.com/aws/aws-sdk-go/aws/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/jsonvalue.go b/vendor/github.com/aws/aws-sdk-go/aws/jsonvalue.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/logger.go b/vendor/github.com/aws/aws-sdk-go/aws/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/connection_reset_error.go b/vendor/github.com/aws/aws-sdk-go/aws/request/connection_reset_error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/handlers.go b/vendor/github.com/aws/aws-sdk-go/aws/request/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/http_request.go b/vendor/github.com/aws/aws-sdk-go/aws/request/http_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/offset_reader.go b/vendor/github.com/aws/aws-sdk-go/aws/request/offset_reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request_1_7.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request_1_7.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request_1_8.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request_1_8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request_context.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request_context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request_context_1_6.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request_context_1_6.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/request_pagination.go b/vendor/github.com/aws/aws-sdk-go/aws/request/request_pagination.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/retryer.go b/vendor/github.com/aws/aws-sdk-go/aws/request/retryer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/timeout_read_closer.go b/vendor/github.com/aws/aws-sdk-go/aws/request/timeout_read_closer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/validation.go b/vendor/github.com/aws/aws-sdk-go/aws/request/validation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/request/waiter.go b/vendor/github.com/aws/aws-sdk-go/aws/request/waiter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport.go b/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_5.go b/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_6.go b/vendor/github.com/aws/aws-sdk-go/aws/session/cabundle_transport_1_6.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/credentials.go b/vendor/github.com/aws/aws-sdk-go/aws/session/credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/doc.go b/vendor/github.com/aws/aws-sdk-go/aws/session/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/env_config.go b/vendor/github.com/aws/aws-sdk-go/aws/session/env_config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/session.go b/vendor/github.com/aws/aws-sdk-go/aws/session/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/session/shared_config.go b/vendor/github.com/aws/aws-sdk-go/aws/session/shared_config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/header_rules.go b/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/header_rules.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/options.go b/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/uri_path.go b/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/uri_path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/v4.go b/vendor/github.com/aws/aws-sdk-go/aws/signer/v4/v4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/types.go b/vendor/github.com/aws/aws-sdk-go/aws/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/url.go b/vendor/github.com/aws/aws-sdk-go/aws/url.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/url_1_7.go b/vendor/github.com/aws/aws-sdk-go/aws/url_1_7.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/aws/version.go b/vendor/github.com/aws/aws-sdk-go/aws/version.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/ast.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/ast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/comma_token.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/comma_token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/comment_token.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/comment_token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/doc.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/empty_token.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/empty_token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/expression.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/expression.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/fuzz.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/ini.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/ini.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/ini_lexer.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/ini_lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/ini_parser.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/ini_parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/literal_tokens.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/literal_tokens.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/newline_token.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/newline_token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/number_helper.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/number_helper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/op_tokens.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/op_tokens.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/parse_error.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/parse_error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/parse_stack.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/parse_stack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/sep_tokens.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/sep_tokens.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/skipper.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/skipper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/statement.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/statement.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/value_util.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/value_util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/visitor.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/visitor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/walker.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/walker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/ini/ws_token.go b/vendor/github.com/aws/aws-sdk-go/internal/ini/ws_token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkio/byte.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkio/byte.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.6.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.6.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.7.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkio/io_go1.7.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor_go1.9.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkmath/floor_go1.9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/locked_source.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/locked_source.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read_1_5.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkrand/read_1_5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/sdkuri/path.go b/vendor/github.com/aws/aws-sdk-go/internal/sdkuri/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/ecs_container.go b/vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/ecs_container.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/shared_config.go b/vendor/github.com/aws/aws-sdk-go/internal/shareddefaults/shared_config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/host.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/host.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/host_prefix.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/host_prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/idempotency.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/idempotency.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/build.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/unmarshal.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/json/jsonutil/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/jsonrpc/jsonrpc.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/jsonrpc/jsonrpc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/jsonvalue.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/jsonvalue.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/payload.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/payload.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/query/build.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/query/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/query/queryutil/queryutil.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/query/queryutil/queryutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal_error.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/query/unmarshal_error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/build.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/payload.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/payload.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/unmarshal.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/rest/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/timestamp.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/timestamp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/unmarshal.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/build.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/sort.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/unmarshal.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/xml_to_struct.go b/vendor/github.com/aws/aws-sdk-go/private/protocol/xml/xmlutil/xml_to_struct.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/api.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/customizations.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/customizations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc_custom.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/doc_custom.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/converter.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/converter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/decode.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/doc.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/encode.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/field.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/tag.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbattribute/tag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbiface/interface.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/dynamodbiface/interface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/errors.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/service.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/dynamodb/waiters.go b/vendor/github.com/aws/aws-sdk-go/service/dynamodb/waiters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/api.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/checksums.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/checksums.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/customizations.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/customizations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/doc.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/errors.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/service.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sqs/sqsiface/interface.go b/vendor/github.com/aws/aws-sdk-go/service/sqs/sqsiface/interface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/api.go b/vendor/github.com/aws/aws-sdk-go/service/sts/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/customizations.go b/vendor/github.com/aws/aws-sdk-go/service/sts/customizations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/doc.go b/vendor/github.com/aws/aws-sdk-go/service/sts/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/errors.go b/vendor/github.com/aws/aws-sdk-go/service/sts/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/service.go b/vendor/github.com/aws/aws-sdk-go/service/sts/service.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aws/aws-sdk-go/service/sts/stsiface/interface.go b/vendor/github.com/aws/aws-sdk-go/service/sts/stsiface/interface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aymerick/douceur/LICENSE b/vendor/github.com/aymerick/douceur/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/aymerick/douceur/css/declaration.go b/vendor/github.com/aymerick/douceur/css/declaration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aymerick/douceur/css/rule.go b/vendor/github.com/aymerick/douceur/css/rule.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/aymerick/douceur/css/stylesheet.go b/vendor/github.com/aymerick/douceur/css/stylesheet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/beorn7/perks/LICENSE b/vendor/github.com/beorn7/perks/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/beorn7/perks/quantile/exampledata.txt b/vendor/github.com/beorn7/perks/quantile/exampledata.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/beorn7/perks/quantile/stream.go b/vendor/github.com/beorn7/perks/quantile/stream.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/.gitignore b/vendor/github.com/blevesearch/bleve/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/.travis.yml b/vendor/github.com/blevesearch/bleve/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/CONTRIBUTING.md b/vendor/github.com/blevesearch/bleve/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/LICENSE b/vendor/github.com/blevesearch/bleve/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/README.md b/vendor/github.com/blevesearch/bleve/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/analyzer/custom/custom.go b/vendor/github.com/blevesearch/bleve/analysis/analyzer/custom/custom.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/analyzer/keyword/keyword.go b/vendor/github.com/blevesearch/bleve/analysis/analyzer/keyword/keyword.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/analyzer/standard/standard.go b/vendor/github.com/blevesearch/bleve/analysis/analyzer/standard/standard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/datetime/flexible/flexible.go b/vendor/github.com/blevesearch/bleve/analysis/datetime/flexible/flexible.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/datetime/optional/optional.go b/vendor/github.com/blevesearch/bleve/analysis/datetime/optional/optional.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/freq.go b/vendor/github.com/blevesearch/bleve/analysis/freq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/lang/en/analyzer_en.go b/vendor/github.com/blevesearch/bleve/analysis/lang/en/analyzer_en.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/lang/en/possessive_filter_en.go b/vendor/github.com/blevesearch/bleve/analysis/lang/en/possessive_filter_en.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/lang/en/stemmer_en_snowball.go b/vendor/github.com/blevesearch/bleve/analysis/lang/en/stemmer_en_snowball.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_filter_en.go b/vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_filter_en.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_words_en.go b/vendor/github.com/blevesearch/bleve/analysis/lang/en/stop_words_en.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/test_words.txt b/vendor/github.com/blevesearch/bleve/analysis/test_words.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/token/lowercase/lowercase.go b/vendor/github.com/blevesearch/bleve/analysis/token/lowercase/lowercase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/token/porter/porter.go b/vendor/github.com/blevesearch/bleve/analysis/token/porter/porter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/token/stop/stop.go b/vendor/github.com/blevesearch/bleve/analysis/token/stop/stop.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/token/unicodenorm/unicodenorm.go b/vendor/github.com/blevesearch/bleve/analysis/token/unicodenorm/unicodenorm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/tokenizer/single/single.go b/vendor/github.com/blevesearch/bleve/analysis/tokenizer/single/single.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/tokenizer/unicode/unicode.go b/vendor/github.com/blevesearch/bleve/analysis/tokenizer/unicode/unicode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/tokenmap.go b/vendor/github.com/blevesearch/bleve/analysis/tokenmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/type.go b/vendor/github.com/blevesearch/bleve/analysis/type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/analysis/util.go b/vendor/github.com/blevesearch/bleve/analysis/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/config.go b/vendor/github.com/blevesearch/bleve/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/config_app.go b/vendor/github.com/blevesearch/bleve/config_app.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/config_disk.go b/vendor/github.com/blevesearch/bleve/config_disk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/doc.go b/vendor/github.com/blevesearch/bleve/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/document.go b/vendor/github.com/blevesearch/bleve/document/document.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field.go b/vendor/github.com/blevesearch/bleve/document/field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_boolean.go b/vendor/github.com/blevesearch/bleve/document/field_boolean.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_composite.go b/vendor/github.com/blevesearch/bleve/document/field_composite.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_datetime.go b/vendor/github.com/blevesearch/bleve/document/field_datetime.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_geopoint.go b/vendor/github.com/blevesearch/bleve/document/field_geopoint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_numeric.go b/vendor/github.com/blevesearch/bleve/document/field_numeric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/field_text.go b/vendor/github.com/blevesearch/bleve/document/field_text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/document/indexing_options.go b/vendor/github.com/blevesearch/bleve/document/indexing_options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/error.go b/vendor/github.com/blevesearch/bleve/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/README.md b/vendor/github.com/blevesearch/bleve/geo/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/geo.go b/vendor/github.com/blevesearch/bleve/geo/geo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/geo_dist.go b/vendor/github.com/blevesearch/bleve/geo/geo_dist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/geohash.go b/vendor/github.com/blevesearch/bleve/geo/geohash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/parse.go b/vendor/github.com/blevesearch/bleve/geo/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/geo/sloppy.go b/vendor/github.com/blevesearch/bleve/geo/sloppy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/go.mod b/vendor/github.com/blevesearch/bleve/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index.go b/vendor/github.com/blevesearch/bleve/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/analysis.go b/vendor/github.com/blevesearch/bleve/index/analysis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/field_cache.go b/vendor/github.com/blevesearch/bleve/index/field_cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/index.go b/vendor/github.com/blevesearch/bleve/index/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/README.md b/vendor/github.com/blevesearch/bleve/index/scorch/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/event.go b/vendor/github.com/blevesearch/bleve/index/scorch/event.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/introducer.go b/vendor/github.com/blevesearch/bleve/index/scorch/introducer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/merge.go b/vendor/github.com/blevesearch/bleve/index/scorch/merge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/merge_plan.go b/vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/merge_plan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/sort.go b/vendor/github.com/blevesearch/bleve/index/scorch/mergeplan/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/optimize.go b/vendor/github.com/blevesearch/bleve/index/scorch/optimize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/persister.go b/vendor/github.com/blevesearch/bleve/index/scorch/persister.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/scorch.go b/vendor/github.com/blevesearch/bleve/index/scorch/scorch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/empty.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/empty.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/int.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/plugin.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/plugin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/regexp.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/segment.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment/unadorned.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment/unadorned.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/segment_plugin.go b/vendor/github.com/blevesearch/bleve/index/scorch/segment_plugin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_dict.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_dict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_doc.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_tfr.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_index_tfr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_rollback.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_rollback.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_segment.go b/vendor/github.com/blevesearch/bleve/index/scorch/snapshot_segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/scorch/stats.go b/vendor/github.com/blevesearch/bleve/index/scorch/stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/batch.go b/vendor/github.com/blevesearch/bleve/index/store/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/boltdb/iterator.go b/vendor/github.com/blevesearch/bleve/index/store/boltdb/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/boltdb/reader.go b/vendor/github.com/blevesearch/bleve/index/store/boltdb/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/boltdb/stats.go b/vendor/github.com/blevesearch/bleve/index/store/boltdb/stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/boltdb/store.go b/vendor/github.com/blevesearch/bleve/index/store/boltdb/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/boltdb/writer.go b/vendor/github.com/blevesearch/bleve/index/store/boltdb/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/gtreap/iterator.go b/vendor/github.com/blevesearch/bleve/index/store/gtreap/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/gtreap/reader.go b/vendor/github.com/blevesearch/bleve/index/store/gtreap/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/gtreap/store.go b/vendor/github.com/blevesearch/bleve/index/store/gtreap/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/gtreap/writer.go b/vendor/github.com/blevesearch/bleve/index/store/gtreap/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/kvstore.go b/vendor/github.com/blevesearch/bleve/index/store/kvstore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/merge.go b/vendor/github.com/blevesearch/bleve/index/store/merge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/store/multiget.go b/vendor/github.com/blevesearch/bleve/index/store/multiget.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/analysis.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/analysis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/benchmark_all.sh b/vendor/github.com/blevesearch/bleve/index/upsidedown/benchmark_all.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/dump.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/dump.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/field_dict.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/field_dict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/index_reader.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/index_reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/reader.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/row.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/row.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/row_merge.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/row_merge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/stats.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.pb.go b/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.proto b/vendor/github.com/blevesearch/bleve/index/upsidedown/upsidedown.proto old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index_alias.go b/vendor/github.com/blevesearch/bleve/index_alias.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index_alias_impl.go b/vendor/github.com/blevesearch/bleve/index_alias_impl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index_impl.go b/vendor/github.com/blevesearch/bleve/index_impl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index_meta.go b/vendor/github.com/blevesearch/bleve/index_meta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/index_stats.go b/vendor/github.com/blevesearch/bleve/index_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping.go b/vendor/github.com/blevesearch/bleve/mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/analysis.go b/vendor/github.com/blevesearch/bleve/mapping/analysis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/document.go b/vendor/github.com/blevesearch/bleve/mapping/document.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/field.go b/vendor/github.com/blevesearch/bleve/mapping/field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/index.go b/vendor/github.com/blevesearch/bleve/mapping/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/mapping.go b/vendor/github.com/blevesearch/bleve/mapping/mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/mapping/reflect.go b/vendor/github.com/blevesearch/bleve/mapping/reflect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/numeric/bin.go b/vendor/github.com/blevesearch/bleve/numeric/bin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/numeric/float.go b/vendor/github.com/blevesearch/bleve/numeric/float.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/numeric/prefix_coded.go b/vendor/github.com/blevesearch/bleve/numeric/prefix_coded.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/query.go b/vendor/github.com/blevesearch/bleve/query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/analyzer.go b/vendor/github.com/blevesearch/bleve/registry/analyzer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/cache.go b/vendor/github.com/blevesearch/bleve/registry/cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/char_filter.go b/vendor/github.com/blevesearch/bleve/registry/char_filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/datetime_parser.go b/vendor/github.com/blevesearch/bleve/registry/datetime_parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/fragment_formatter.go b/vendor/github.com/blevesearch/bleve/registry/fragment_formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/fragmenter.go b/vendor/github.com/blevesearch/bleve/registry/fragmenter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/highlighter.go b/vendor/github.com/blevesearch/bleve/registry/highlighter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/index_type.go b/vendor/github.com/blevesearch/bleve/registry/index_type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/registry.go b/vendor/github.com/blevesearch/bleve/registry/registry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/store.go b/vendor/github.com/blevesearch/bleve/registry/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/token_filter.go b/vendor/github.com/blevesearch/bleve/registry/token_filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/token_maps.go b/vendor/github.com/blevesearch/bleve/registry/token_maps.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/registry/tokenizer.go b/vendor/github.com/blevesearch/bleve/registry/tokenizer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search.go b/vendor/github.com/blevesearch/bleve/search.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/collector.go b/vendor/github.com/blevesearch/bleve/search/collector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/collector/heap.go b/vendor/github.com/blevesearch/bleve/search/collector/heap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/collector/list.go b/vendor/github.com/blevesearch/bleve/search/collector/list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/collector/slice.go b/vendor/github.com/blevesearch/bleve/search/collector/slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/collector/topn.go b/vendor/github.com/blevesearch/bleve/search/collector/topn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/explanation.go b/vendor/github.com/blevesearch/bleve/search/explanation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/facet/benchmark_data.txt b/vendor/github.com/blevesearch/bleve/search/facet/benchmark_data.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_datetime.go b/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_datetime.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_numeric.go b/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_numeric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_terms.go b/vendor/github.com/blevesearch/bleve/search/facet/facet_builder_terms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/facets_builder.go b/vendor/github.com/blevesearch/bleve/search/facets_builder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/format/html/html.go b/vendor/github.com/blevesearch/bleve/search/highlight/format/html/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/fragmenter/simple/simple.go b/vendor/github.com/blevesearch/bleve/search/highlight/fragmenter/simple/simple.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/highlighter.go b/vendor/github.com/blevesearch/bleve/search/highlight/highlighter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/html/html.go b/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/html/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/fragment_scorer_simple.go b/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/fragment_scorer_simple.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/highlighter_simple.go b/vendor/github.com/blevesearch/bleve/search/highlight/highlighter/simple/highlighter_simple.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/highlight/term_locations.go b/vendor/github.com/blevesearch/bleve/search/highlight/term_locations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/levenshtein.go b/vendor/github.com/blevesearch/bleve/search/levenshtein.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/pool.go b/vendor/github.com/blevesearch/bleve/search/pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/bool_field.go b/vendor/github.com/blevesearch/bleve/search/query/bool_field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/boolean.go b/vendor/github.com/blevesearch/bleve/search/query/boolean.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/boost.go b/vendor/github.com/blevesearch/bleve/search/query/boost.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/conjunction.go b/vendor/github.com/blevesearch/bleve/search/query/conjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/date_range.go b/vendor/github.com/blevesearch/bleve/search/query/date_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/disjunction.go b/vendor/github.com/blevesearch/bleve/search/query/disjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/docid.go b/vendor/github.com/blevesearch/bleve/search/query/docid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/fuzzy.go b/vendor/github.com/blevesearch/bleve/search/query/fuzzy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/geo_boundingbox.go b/vendor/github.com/blevesearch/bleve/search/query/geo_boundingbox.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/geo_boundingpolygon.go b/vendor/github.com/blevesearch/bleve/search/query/geo_boundingpolygon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/geo_distance.go b/vendor/github.com/blevesearch/bleve/search/query/geo_distance.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/match.go b/vendor/github.com/blevesearch/bleve/search/query/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/match_all.go b/vendor/github.com/blevesearch/bleve/search/query/match_all.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/match_none.go b/vendor/github.com/blevesearch/bleve/search/query/match_none.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/match_phrase.go b/vendor/github.com/blevesearch/bleve/search/query/match_phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/multi_phrase.go b/vendor/github.com/blevesearch/bleve/search/query/multi_phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/numeric_range.go b/vendor/github.com/blevesearch/bleve/search/query/numeric_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/phrase.go b/vendor/github.com/blevesearch/bleve/search/query/phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/prefix.go b/vendor/github.com/blevesearch/bleve/search/query/prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query.go b/vendor/github.com/blevesearch/bleve/search/query/query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query_string.go b/vendor/github.com/blevesearch/bleve/search/query/query_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query_string.y b/vendor/github.com/blevesearch/bleve/search/query/query_string.y old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query_string.y.go b/vendor/github.com/blevesearch/bleve/search/query/query_string.y.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query_string_lex.go b/vendor/github.com/blevesearch/bleve/search/query/query_string_lex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/query_string_parser.go b/vendor/github.com/blevesearch/bleve/search/query/query_string_parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/regexp.go b/vendor/github.com/blevesearch/bleve/search/query/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/term.go b/vendor/github.com/blevesearch/bleve/search/query/term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/term_range.go b/vendor/github.com/blevesearch/bleve/search/query/term_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/query/wildcard.go b/vendor/github.com/blevesearch/bleve/search/query/wildcard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/scorer/scorer_conjunction.go b/vendor/github.com/blevesearch/bleve/search/scorer/scorer_conjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/scorer/scorer_constant.go b/vendor/github.com/blevesearch/bleve/search/scorer/scorer_constant.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/scorer/scorer_disjunction.go b/vendor/github.com/blevesearch/bleve/search/scorer/scorer_disjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/scorer/scorer_term.go b/vendor/github.com/blevesearch/bleve/search/scorer/scorer_term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/scorer/sqrt_cache.go b/vendor/github.com/blevesearch/bleve/search/scorer/sqrt_cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/search.go b/vendor/github.com/blevesearch/bleve/search/search.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/ordered_searchers_list.go b/vendor/github.com/blevesearch/bleve/search/searcher/ordered_searchers_list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_boolean.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_boolean.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_conjunction.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_conjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_heap.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_heap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_slice.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_disjunction_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_docid.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_docid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_filter.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_fuzzy.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_fuzzy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_geoboundingbox.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_geoboundingbox.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_geopointdistance.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_geopointdistance.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_geopolygon.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_geopolygon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_match_all.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_match_all.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_match_none.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_match_none.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_multi_term.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_multi_term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_numeric_range.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_numeric_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_phrase.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_regexp.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_term.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_term_prefix.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_term_prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/searcher/search_term_range.go b/vendor/github.com/blevesearch/bleve/search/searcher/search_term_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/sort.go b/vendor/github.com/blevesearch/bleve/search/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/search/util.go b/vendor/github.com/blevesearch/bleve/search/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/bleve/size/sizes.go b/vendor/github.com/blevesearch/bleve/size/sizes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/.gitignore b/vendor/github.com/blevesearch/go-porterstemmer/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/.travis.yml b/vendor/github.com/blevesearch/go-porterstemmer/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/LICENSE b/vendor/github.com/blevesearch/go-porterstemmer/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/README.md b/vendor/github.com/blevesearch/go-porterstemmer/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/go.mod b/vendor/github.com/blevesearch/go-porterstemmer/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/go-porterstemmer/porterstemmer.go b/vendor/github.com/blevesearch/go-porterstemmer/porterstemmer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/.gitignore b/vendor/github.com/blevesearch/mmap-go/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/.travis.yml b/vendor/github.com/blevesearch/mmap-go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/LICENSE b/vendor/github.com/blevesearch/mmap-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/README.md b/vendor/github.com/blevesearch/mmap-go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/go.mod b/vendor/github.com/blevesearch/mmap-go/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/go.sum b/vendor/github.com/blevesearch/mmap-go/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/mmap.go b/vendor/github.com/blevesearch/mmap-go/mmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/mmap_unix.go b/vendor/github.com/blevesearch/mmap-go/mmap_unix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/mmap-go/mmap_windows.go b/vendor/github.com/blevesearch/mmap-go/mmap_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/.gitignore b/vendor/github.com/blevesearch/segment/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/.travis.yml b/vendor/github.com/blevesearch/segment/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/LICENSE b/vendor/github.com/blevesearch/segment/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/README.md b/vendor/github.com/blevesearch/segment/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/doc.go b/vendor/github.com/blevesearch/segment/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/go.mod b/vendor/github.com/blevesearch/segment/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/segment.go b/vendor/github.com/blevesearch/segment/segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/segment_fuzz.go b/vendor/github.com/blevesearch/segment/segment_fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/segment_words.go b/vendor/github.com/blevesearch/segment/segment_words.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/segment_words.rl b/vendor/github.com/blevesearch/segment/segment_words.rl old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/segment/segment_words_prod.go b/vendor/github.com/blevesearch/segment/segment_words_prod.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/COPYING b/vendor/github.com/blevesearch/snowballstem/COPYING old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/README.md b/vendor/github.com/blevesearch/snowballstem/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/among.go b/vendor/github.com/blevesearch/snowballstem/among.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/english/english_stemmer.go b/vendor/github.com/blevesearch/snowballstem/english/english_stemmer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/env.go b/vendor/github.com/blevesearch/snowballstem/env.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/gen.go b/vendor/github.com/blevesearch/snowballstem/gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/go.mod b/vendor/github.com/blevesearch/snowballstem/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/snowballstem/util.go b/vendor/github.com/blevesearch/snowballstem/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/.gitignore b/vendor/github.com/blevesearch/zap/v11/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/LICENSE b/vendor/github.com/blevesearch/zap/v11/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/README.md b/vendor/github.com/blevesearch/zap/v11/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/build.go b/vendor/github.com/blevesearch/zap/v11/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/contentcoder.go b/vendor/github.com/blevesearch/zap/v11/contentcoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/count.go b/vendor/github.com/blevesearch/zap/v11/count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/dict.go b/vendor/github.com/blevesearch/zap/v11/dict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/docvalues.go b/vendor/github.com/blevesearch/zap/v11/docvalues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/enumerator.go b/vendor/github.com/blevesearch/zap/v11/enumerator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/go.mod b/vendor/github.com/blevesearch/zap/v11/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/intcoder.go b/vendor/github.com/blevesearch/zap/v11/intcoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/merge.go b/vendor/github.com/blevesearch/zap/v11/merge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/new.go b/vendor/github.com/blevesearch/zap/v11/new.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/plugin.go b/vendor/github.com/blevesearch/zap/v11/plugin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/posting.go b/vendor/github.com/blevesearch/zap/v11/posting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/read.go b/vendor/github.com/blevesearch/zap/v11/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/segment.go b/vendor/github.com/blevesearch/zap/v11/segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/write.go b/vendor/github.com/blevesearch/zap/v11/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v11/zap.md b/vendor/github.com/blevesearch/zap/v11/zap.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/.gitignore b/vendor/github.com/blevesearch/zap/v12/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/LICENSE b/vendor/github.com/blevesearch/zap/v12/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/README.md b/vendor/github.com/blevesearch/zap/v12/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/build.go b/vendor/github.com/blevesearch/zap/v12/build.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/chunk.go b/vendor/github.com/blevesearch/zap/v12/chunk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/contentcoder.go b/vendor/github.com/blevesearch/zap/v12/contentcoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/count.go b/vendor/github.com/blevesearch/zap/v12/count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/dict.go b/vendor/github.com/blevesearch/zap/v12/dict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/docvalues.go b/vendor/github.com/blevesearch/zap/v12/docvalues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/enumerator.go b/vendor/github.com/blevesearch/zap/v12/enumerator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/go.mod b/vendor/github.com/blevesearch/zap/v12/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/intDecoder.go b/vendor/github.com/blevesearch/zap/v12/intDecoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/intcoder.go b/vendor/github.com/blevesearch/zap/v12/intcoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/merge.go b/vendor/github.com/blevesearch/zap/v12/merge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/new.go b/vendor/github.com/blevesearch/zap/v12/new.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/plugin.go b/vendor/github.com/blevesearch/zap/v12/plugin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/posting.go b/vendor/github.com/blevesearch/zap/v12/posting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/read.go b/vendor/github.com/blevesearch/zap/v12/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/segment.go b/vendor/github.com/blevesearch/zap/v12/segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/write.go b/vendor/github.com/blevesearch/zap/v12/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/blevesearch/zap/v12/zap.md b/vendor/github.com/blevesearch/zap/v12/zap.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/.gitignore b/vendor/github.com/boombuler/barcode/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/LICENSE b/vendor/github.com/boombuler/barcode/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/README.md b/vendor/github.com/boombuler/barcode/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/barcode.go b/vendor/github.com/boombuler/barcode/barcode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/go.mod b/vendor/github.com/boombuler/barcode/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/alphanumeric.go b/vendor/github.com/boombuler/barcode/qr/alphanumeric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/automatic.go b/vendor/github.com/boombuler/barcode/qr/automatic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/blocks.go b/vendor/github.com/boombuler/barcode/qr/blocks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/encoder.go b/vendor/github.com/boombuler/barcode/qr/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/errorcorrection.go b/vendor/github.com/boombuler/barcode/qr/errorcorrection.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/numeric.go b/vendor/github.com/boombuler/barcode/qr/numeric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/qrcode.go b/vendor/github.com/boombuler/barcode/qr/qrcode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/unicode.go b/vendor/github.com/boombuler/barcode/qr/unicode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/qr/versioninfo.go b/vendor/github.com/boombuler/barcode/qr/versioninfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/scaledbarcode.go b/vendor/github.com/boombuler/barcode/scaledbarcode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/base1dcode.go b/vendor/github.com/boombuler/barcode/utils/base1dcode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/bitlist.go b/vendor/github.com/boombuler/barcode/utils/bitlist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/galoisfield.go b/vendor/github.com/boombuler/barcode/utils/galoisfield.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/gfpoly.go b/vendor/github.com/boombuler/barcode/utils/gfpoly.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/reedsolomon.go b/vendor/github.com/boombuler/barcode/utils/reedsolomon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/boombuler/barcode/utils/runeint.go b/vendor/github.com/boombuler/barcode/utils/runeint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/bradfitz/gomemcache/LICENSE b/vendor/github.com/bradfitz/gomemcache/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/bradfitz/gomemcache/memcache/memcache.go b/vendor/github.com/bradfitz/gomemcache/memcache/memcache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/bradfitz/gomemcache/memcache/selector.go b/vendor/github.com/bradfitz/gomemcache/memcache/selector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/chris-ramon/douceur/LICENSE b/vendor/github.com/chris-ramon/douceur/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/chris-ramon/douceur/parser/parser.go b/vendor/github.com/chris-ramon/douceur/parser/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/.travis.yml b/vendor/github.com/clbanning/mxj/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/LICENSE b/vendor/github.com/clbanning/mxj/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/anyxml.go b/vendor/github.com/clbanning/mxj/v2/anyxml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/atomFeedString.xml b/vendor/github.com/clbanning/mxj/v2/atomFeedString.xml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/doc.go b/vendor/github.com/clbanning/mxj/v2/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/escapechars.go b/vendor/github.com/clbanning/mxj/v2/escapechars.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/exists.go b/vendor/github.com/clbanning/mxj/v2/exists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files.go b/vendor/github.com/clbanning/mxj/v2/files.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test.badjson b/vendor/github.com/clbanning/mxj/v2/files_test.badjson old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test.badxml b/vendor/github.com/clbanning/mxj/v2/files_test.badxml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test.json b/vendor/github.com/clbanning/mxj/v2/files_test.json old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test.xml b/vendor/github.com/clbanning/mxj/v2/files_test.xml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test_dup.json b/vendor/github.com/clbanning/mxj/v2/files_test_dup.json old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test_dup.xml b/vendor/github.com/clbanning/mxj/v2/files_test_dup.xml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test_indent.json b/vendor/github.com/clbanning/mxj/v2/files_test_indent.json old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/files_test_indent.xml b/vendor/github.com/clbanning/mxj/v2/files_test_indent.xml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/go.mod b/vendor/github.com/clbanning/mxj/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/gob.go b/vendor/github.com/clbanning/mxj/v2/gob.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/json.go b/vendor/github.com/clbanning/mxj/v2/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/keyvalues.go b/vendor/github.com/clbanning/mxj/v2/keyvalues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/leafnode.go b/vendor/github.com/clbanning/mxj/v2/leafnode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/misc.go b/vendor/github.com/clbanning/mxj/v2/misc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/mxj.go b/vendor/github.com/clbanning/mxj/v2/mxj.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/newmap.go b/vendor/github.com/clbanning/mxj/v2/newmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/readme.md b/vendor/github.com/clbanning/mxj/v2/readme.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/remove.go b/vendor/github.com/clbanning/mxj/v2/remove.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/rename.go b/vendor/github.com/clbanning/mxj/v2/rename.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/set.go b/vendor/github.com/clbanning/mxj/v2/set.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/setfieldsep.go b/vendor/github.com/clbanning/mxj/v2/setfieldsep.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/songtext.xml b/vendor/github.com/clbanning/mxj/v2/songtext.xml old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/strict.go b/vendor/github.com/clbanning/mxj/v2/strict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/struct.go b/vendor/github.com/clbanning/mxj/v2/struct.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/updatevalues.go b/vendor/github.com/clbanning/mxj/v2/updatevalues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/xml.go b/vendor/github.com/clbanning/mxj/v2/xml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/xmlseq.go b/vendor/github.com/clbanning/mxj/v2/xmlseq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/clbanning/mxj/v2/xmlseq2.go b/vendor/github.com/clbanning/mxj/v2/xmlseq2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/.gitignore b/vendor/github.com/couchbase/gomemcached/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/LICENSE b/vendor/github.com/couchbase/gomemcached/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/README.markdown b/vendor/github.com/couchbase/gomemcached/README.markdown old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/collections_filter.go b/vendor/github.com/couchbase/gomemcached/client/collections_filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/mc.go b/vendor/github.com/couchbase/gomemcached/client/mc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/tap_feed.go b/vendor/github.com/couchbase/gomemcached/client/tap_feed.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/transport.go b/vendor/github.com/couchbase/gomemcached/client/transport.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/upr_event.go b/vendor/github.com/couchbase/gomemcached/client/upr_event.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/client/upr_feed.go b/vendor/github.com/couchbase/gomemcached/client/upr_feed.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/flexibleFraming.go b/vendor/github.com/couchbase/gomemcached/flexibleFraming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/mc_constants.go b/vendor/github.com/couchbase/gomemcached/mc_constants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/mc_req.go b/vendor/github.com/couchbase/gomemcached/mc_req.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/mc_res.go b/vendor/github.com/couchbase/gomemcached/mc_res.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/gomemcached/tap.go b/vendor/github.com/couchbase/gomemcached/tap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/goutils/LICENSE.md b/vendor/github.com/couchbase/goutils/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/goutils/logging/logger.go b/vendor/github.com/couchbase/goutils/logging/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/goutils/logging/logger_golog.go b/vendor/github.com/couchbase/goutils/logging/logger_golog.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/goutils/scramsha/scramsha.go b/vendor/github.com/couchbase/goutils/scramsha/scramsha.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/goutils/scramsha/scramsha_http.go b/vendor/github.com/couchbase/goutils/scramsha/scramsha_http.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/.travis.yml b/vendor/github.com/couchbase/vellum/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/CONTRIBUTING.md b/vendor/github.com/couchbase/vellum/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/LICENSE b/vendor/github.com/couchbase/vellum/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/README.md b/vendor/github.com/couchbase/vellum/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/automaton.go b/vendor/github.com/couchbase/vellum/automaton.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/builder.go b/vendor/github.com/couchbase/vellum/builder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/common.go b/vendor/github.com/couchbase/vellum/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/decoder_v1.go b/vendor/github.com/couchbase/vellum/decoder_v1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/encoder_v1.go b/vendor/github.com/couchbase/vellum/encoder_v1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/encoding.go b/vendor/github.com/couchbase/vellum/encoding.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/fst.go b/vendor/github.com/couchbase/vellum/fst.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/fst_iterator.go b/vendor/github.com/couchbase/vellum/fst_iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/go.mod b/vendor/github.com/couchbase/vellum/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/go.sum b/vendor/github.com/couchbase/vellum/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/LICENSE b/vendor/github.com/couchbase/vellum/levenshtein/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/README.md b/vendor/github.com/couchbase/vellum/levenshtein/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/alphabet.go b/vendor/github.com/couchbase/vellum/levenshtein/alphabet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/dfa.go b/vendor/github.com/couchbase/vellum/levenshtein/dfa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/levenshtein.go b/vendor/github.com/couchbase/vellum/levenshtein/levenshtein.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/levenshtein_nfa.go b/vendor/github.com/couchbase/vellum/levenshtein/levenshtein_nfa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/levenshtein/parametric_dfa.go b/vendor/github.com/couchbase/vellum/levenshtein/parametric_dfa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/merge_iterator.go b/vendor/github.com/couchbase/vellum/merge_iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/pack.go b/vendor/github.com/couchbase/vellum/pack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/regexp/compile.go b/vendor/github.com/couchbase/vellum/regexp/compile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/regexp/dfa.go b/vendor/github.com/couchbase/vellum/regexp/dfa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/regexp/inst.go b/vendor/github.com/couchbase/vellum/regexp/inst.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/regexp/regexp.go b/vendor/github.com/couchbase/vellum/regexp/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/regexp/sparse.go b/vendor/github.com/couchbase/vellum/regexp/sparse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/registry.go b/vendor/github.com/couchbase/vellum/registry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/transducer.go b/vendor/github.com/couchbase/vellum/transducer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/utf8/utf8.go b/vendor/github.com/couchbase/vellum/utf8/utf8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/vellum.go b/vendor/github.com/couchbase/vellum/vellum.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/vellum_mmap.go b/vendor/github.com/couchbase/vellum/vellum_mmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/vellum_nommap.go b/vendor/github.com/couchbase/vellum/vellum_nommap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbase/vellum/writer.go b/vendor/github.com/couchbase/vellum/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/.gitignore b/vendor/github.com/couchbaselabs/go-couchbase/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/.travis.yml b/vendor/github.com/couchbaselabs/go-couchbase/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/LICENSE b/vendor/github.com/couchbaselabs/go-couchbase/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/README.markdown b/vendor/github.com/couchbaselabs/go-couchbase/README.markdown old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/audit.go b/vendor/github.com/couchbaselabs/go-couchbase/audit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/client.go b/vendor/github.com/couchbaselabs/go-couchbase/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/conn_pool.go b/vendor/github.com/couchbaselabs/go-couchbase/conn_pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/ddocs.go b/vendor/github.com/couchbaselabs/go-couchbase/ddocs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/observe.go b/vendor/github.com/couchbaselabs/go-couchbase/observe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/pools.go b/vendor/github.com/couchbaselabs/go-couchbase/pools.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/port_map.go b/vendor/github.com/couchbaselabs/go-couchbase/port_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/streaming.go b/vendor/github.com/couchbaselabs/go-couchbase/streaming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/tap.go b/vendor/github.com/couchbaselabs/go-couchbase/tap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/upr.go b/vendor/github.com/couchbaselabs/go-couchbase/upr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/users.go b/vendor/github.com/couchbaselabs/go-couchbase/users.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/util.go b/vendor/github.com/couchbaselabs/go-couchbase/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/vbmap.go b/vendor/github.com/couchbaselabs/go-couchbase/vbmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/couchbaselabs/go-couchbase/views.go b/vendor/github.com/couchbaselabs/go-couchbase/views.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/cpuguy83/go-md2man/v2/LICENSE.md b/vendor/github.com/cpuguy83/go-md2man/v2/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/cpuguy83/go-md2man/v2/md2man/md2man.go b/vendor/github.com/cpuguy83/go-md2man/v2/md2man/md2man.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/cpuguy83/go-md2man/v2/md2man/roff.go b/vendor/github.com/cpuguy83/go-md2man/v2/md2man/roff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/LICENSE b/vendor/github.com/davecgh/go-spew/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/bypass.go b/vendor/github.com/davecgh/go-spew/spew/bypass.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/bypasssafe.go b/vendor/github.com/davecgh/go-spew/spew/bypasssafe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/common.go b/vendor/github.com/davecgh/go-spew/spew/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/config.go b/vendor/github.com/davecgh/go-spew/spew/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/doc.go b/vendor/github.com/davecgh/go-spew/spew/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/dump.go b/vendor/github.com/davecgh/go-spew/spew/dump.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/format.go b/vendor/github.com/davecgh/go-spew/spew/format.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/davecgh/go-spew/spew/spew.go b/vendor/github.com/davecgh/go-spew/spew/spew.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/LICENSE.txt b/vendor/github.com/denisenkom/go-mssqldb/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/README.md b/vendor/github.com/denisenkom/go-mssqldb/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/accesstokenconnector.go b/vendor/github.com/denisenkom/go-mssqldb/accesstokenconnector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/appveyor.yml b/vendor/github.com/denisenkom/go-mssqldb/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/buf.go b/vendor/github.com/denisenkom/go-mssqldb/buf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/bulkcopy.go b/vendor/github.com/denisenkom/go-mssqldb/bulkcopy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/bulkcopy_sql.go b/vendor/github.com/denisenkom/go-mssqldb/bulkcopy_sql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/conn_str.go b/vendor/github.com/denisenkom/go-mssqldb/conn_str.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/convert.go b/vendor/github.com/denisenkom/go-mssqldb/convert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/doc.go b/vendor/github.com/denisenkom/go-mssqldb/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/error.go b/vendor/github.com/denisenkom/go-mssqldb/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/go.mod b/vendor/github.com/denisenkom/go-mssqldb/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/go.sum b/vendor/github.com/denisenkom/go-mssqldb/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/charset.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/charset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/collation.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/collation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1250.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1250.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1251.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1251.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1252.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1252.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1253.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1253.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1254.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1254.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1255.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1255.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1256.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1256.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1257.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1257.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1258.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp1258.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp437.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp437.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp850.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp850.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp874.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp874.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp932.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp932.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp936.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp936.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp949.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp949.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp950.go b/vendor/github.com/denisenkom/go-mssqldb/internal/cp/cp950.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/decimal/decimal.go b/vendor/github.com/denisenkom/go-mssqldb/internal/decimal/decimal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/internal/querytext/parser.go b/vendor/github.com/denisenkom/go-mssqldb/internal/querytext/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/log.go b/vendor/github.com/denisenkom/go-mssqldb/log.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/mssql.go b/vendor/github.com/denisenkom/go-mssqldb/mssql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/mssql_go110.go b/vendor/github.com/denisenkom/go-mssqldb/mssql_go110.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/mssql_go110pre.go b/vendor/github.com/denisenkom/go-mssqldb/mssql_go110pre.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/mssql_go19.go b/vendor/github.com/denisenkom/go-mssqldb/mssql_go19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/mssql_go19pre.go b/vendor/github.com/denisenkom/go-mssqldb/mssql_go19pre.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/net.go b/vendor/github.com/denisenkom/go-mssqldb/net.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/ntlm.go b/vendor/github.com/denisenkom/go-mssqldb/ntlm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/rpc.go b/vendor/github.com/denisenkom/go-mssqldb/rpc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/sspi_windows.go b/vendor/github.com/denisenkom/go-mssqldb/sspi_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/tds.go b/vendor/github.com/denisenkom/go-mssqldb/tds.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/token.go b/vendor/github.com/denisenkom/go-mssqldb/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/token_string.go b/vendor/github.com/denisenkom/go-mssqldb/token_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/tran.go b/vendor/github.com/denisenkom/go-mssqldb/tran.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/tvp_go19.go b/vendor/github.com/denisenkom/go-mssqldb/tvp_go19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/types.go b/vendor/github.com/denisenkom/go-mssqldb/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/denisenkom/go-mssqldb/uniqueidentifier.go b/vendor/github.com/denisenkom/go-mssqldb/uniqueidentifier.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/.gitignore b/vendor/github.com/dgrijalva/jwt-go/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/.travis.yml b/vendor/github.com/dgrijalva/jwt-go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/LICENSE b/vendor/github.com/dgrijalva/jwt-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/MIGRATION_GUIDE.md b/vendor/github.com/dgrijalva/jwt-go/MIGRATION_GUIDE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/README.md b/vendor/github.com/dgrijalva/jwt-go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/VERSION_HISTORY.md b/vendor/github.com/dgrijalva/jwt-go/VERSION_HISTORY.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/claims.go b/vendor/github.com/dgrijalva/jwt-go/claims.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/doc.go b/vendor/github.com/dgrijalva/jwt-go/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/ecdsa.go b/vendor/github.com/dgrijalva/jwt-go/ecdsa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/ecdsa_utils.go b/vendor/github.com/dgrijalva/jwt-go/ecdsa_utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/errors.go b/vendor/github.com/dgrijalva/jwt-go/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/hmac.go b/vendor/github.com/dgrijalva/jwt-go/hmac.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/map_claims.go b/vendor/github.com/dgrijalva/jwt-go/map_claims.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/none.go b/vendor/github.com/dgrijalva/jwt-go/none.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/parser.go b/vendor/github.com/dgrijalva/jwt-go/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/rsa.go b/vendor/github.com/dgrijalva/jwt-go/rsa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/rsa_pss.go b/vendor/github.com/dgrijalva/jwt-go/rsa_pss.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/rsa_utils.go b/vendor/github.com/dgrijalva/jwt-go/rsa_utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/signing_method.go b/vendor/github.com/dgrijalva/jwt-go/signing_method.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dgrijalva/jwt-go/token.go b/vendor/github.com/dgrijalva/jwt-go/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/.travis.yml b/vendor/github.com/disintegration/imaging/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/LICENSE b/vendor/github.com/disintegration/imaging/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/README.md b/vendor/github.com/disintegration/imaging/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/adjust.go b/vendor/github.com/disintegration/imaging/adjust.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/convolution.go b/vendor/github.com/disintegration/imaging/convolution.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/doc.go b/vendor/github.com/disintegration/imaging/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/effects.go b/vendor/github.com/disintegration/imaging/effects.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/go.mod b/vendor/github.com/disintegration/imaging/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/go.sum b/vendor/github.com/disintegration/imaging/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/histogram.go b/vendor/github.com/disintegration/imaging/histogram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/io.go b/vendor/github.com/disintegration/imaging/io.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/resize.go b/vendor/github.com/disintegration/imaging/resize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/scanner.go b/vendor/github.com/disintegration/imaging/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/tools.go b/vendor/github.com/disintegration/imaging/tools.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/transform.go b/vendor/github.com/disintegration/imaging/transform.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/disintegration/imaging/utils.go b/vendor/github.com/disintegration/imaging/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/.gitignore b/vendor/github.com/dlclark/regexp2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/.travis.yml b/vendor/github.com/dlclark/regexp2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/ATTRIB b/vendor/github.com/dlclark/regexp2/ATTRIB old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/LICENSE b/vendor/github.com/dlclark/regexp2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/README.md b/vendor/github.com/dlclark/regexp2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/match.go b/vendor/github.com/dlclark/regexp2/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/regexp.go b/vendor/github.com/dlclark/regexp2/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/replace.go b/vendor/github.com/dlclark/regexp2/replace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/runner.go b/vendor/github.com/dlclark/regexp2/runner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/charclass.go b/vendor/github.com/dlclark/regexp2/syntax/charclass.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/code.go b/vendor/github.com/dlclark/regexp2/syntax/code.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/escape.go b/vendor/github.com/dlclark/regexp2/syntax/escape.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/fuzz.go b/vendor/github.com/dlclark/regexp2/syntax/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/parser.go b/vendor/github.com/dlclark/regexp2/syntax/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/prefix.go b/vendor/github.com/dlclark/regexp2/syntax/prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/replacerdata.go b/vendor/github.com/dlclark/regexp2/syntax/replacerdata.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/tree.go b/vendor/github.com/dlclark/regexp2/syntax/tree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/syntax/writer.go b/vendor/github.com/dlclark/regexp2/syntax/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dlclark/regexp2/testoutput1 b/vendor/github.com/dlclark/regexp2/testoutput1 old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/.travis.yml b/vendor/github.com/dustin/go-humanize/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/LICENSE b/vendor/github.com/dustin/go-humanize/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/README.markdown b/vendor/github.com/dustin/go-humanize/README.markdown old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/big.go b/vendor/github.com/dustin/go-humanize/big.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/bigbytes.go b/vendor/github.com/dustin/go-humanize/bigbytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/bytes.go b/vendor/github.com/dustin/go-humanize/bytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/comma.go b/vendor/github.com/dustin/go-humanize/comma.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/commaf.go b/vendor/github.com/dustin/go-humanize/commaf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/ftoa.go b/vendor/github.com/dustin/go-humanize/ftoa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/humanize.go b/vendor/github.com/dustin/go-humanize/humanize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/number.go b/vendor/github.com/dustin/go-humanize/number.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/ordinals.go b/vendor/github.com/dustin/go-humanize/ordinals.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/si.go b/vendor/github.com/dustin/go-humanize/si.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/dustin/go-humanize/times.go b/vendor/github.com/dustin/go-humanize/times.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/.editorconfig b/vendor/github.com/editorconfig/editorconfig-core-go/v2/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitattributes b/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitattributes old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitignore b/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitmodules b/vendor/github.com/editorconfig/editorconfig-core-go/v2/.gitmodules old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/.travis.yml b/vendor/github.com/editorconfig/editorconfig-core-go/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/CHANGELOG.md b/vendor/github.com/editorconfig/editorconfig-core-go/v2/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/CMakeLists.txt b/vendor/github.com/editorconfig/editorconfig-core-go/v2/CMakeLists.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/LICENSE b/vendor/github.com/editorconfig/editorconfig-core-go/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/Makefile b/vendor/github.com/editorconfig/editorconfig-core-go/v2/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/README.md b/vendor/github.com/editorconfig/editorconfig-core-go/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/editorconfig.go b/vendor/github.com/editorconfig/editorconfig-core-go/v2/editorconfig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/fnmatch.go b/vendor/github.com/editorconfig/editorconfig-core-go/v2/fnmatch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/go.mod b/vendor/github.com/editorconfig/editorconfig-core-go/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/editorconfig/editorconfig-core-go/v2/go.sum b/vendor/github.com/editorconfig/editorconfig-core-go/v2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/.editorconfig b/vendor/github.com/elliotchance/orderedmap/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/.gitignore b/vendor/github.com/elliotchance/orderedmap/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/.travis.yml b/vendor/github.com/elliotchance/orderedmap/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/LICENSE b/vendor/github.com/elliotchance/orderedmap/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/README.md b/vendor/github.com/elliotchance/orderedmap/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/element.go b/vendor/github.com/elliotchance/orderedmap/element.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/go.mod b/vendor/github.com/elliotchance/orderedmap/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/go.sum b/vendor/github.com/elliotchance/orderedmap/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/elliotchance/orderedmap/orderedmap.go b/vendor/github.com/elliotchance/orderedmap/orderedmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/LICENSE b/vendor/github.com/emirpasic/gods/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/containers/containers.go b/vendor/github.com/emirpasic/gods/containers/containers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/containers/enumerable.go b/vendor/github.com/emirpasic/gods/containers/enumerable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/containers/iterator.go b/vendor/github.com/emirpasic/gods/containers/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/containers/serialization.go b/vendor/github.com/emirpasic/gods/containers/serialization.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/lists/arraylist/arraylist.go b/vendor/github.com/emirpasic/gods/lists/arraylist/arraylist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/lists/arraylist/enumerable.go b/vendor/github.com/emirpasic/gods/lists/arraylist/enumerable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/lists/arraylist/iterator.go b/vendor/github.com/emirpasic/gods/lists/arraylist/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/lists/arraylist/serialization.go b/vendor/github.com/emirpasic/gods/lists/arraylist/serialization.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/lists/lists.go b/vendor/github.com/emirpasic/gods/lists/lists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/trees/binaryheap/binaryheap.go b/vendor/github.com/emirpasic/gods/trees/binaryheap/binaryheap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/trees/binaryheap/iterator.go b/vendor/github.com/emirpasic/gods/trees/binaryheap/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/trees/binaryheap/serialization.go b/vendor/github.com/emirpasic/gods/trees/binaryheap/serialization.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/trees/trees.go b/vendor/github.com/emirpasic/gods/trees/trees.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/utils/comparator.go b/vendor/github.com/emirpasic/gods/utils/comparator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/utils/sort.go b/vendor/github.com/emirpasic/gods/utils/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/emirpasic/gods/utils/utils.go b/vendor/github.com/emirpasic/gods/utils/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/.gitignore b/vendor/github.com/ethantkoenig/rupture/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/.travis.yml b/vendor/github.com/ethantkoenig/rupture/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/Gopkg.lock b/vendor/github.com/ethantkoenig/rupture/Gopkg.lock old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/Gopkg.toml b/vendor/github.com/ethantkoenig/rupture/Gopkg.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/LICENSE b/vendor/github.com/ethantkoenig/rupture/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/README.md b/vendor/github.com/ethantkoenig/rupture/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/flushing_batch.go b/vendor/github.com/ethantkoenig/rupture/flushing_batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/metadata.go b/vendor/github.com/ethantkoenig/rupture/metadata.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/ethantkoenig/rupture/sharded_index.go b/vendor/github.com/ethantkoenig/rupture/sharded_index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/LICENSE.md b/vendor/github.com/fatih/color/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/README.md b/vendor/github.com/fatih/color/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/color.go b/vendor/github.com/fatih/color/color.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/doc.go b/vendor/github.com/fatih/color/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/go.mod b/vendor/github.com/fatih/color/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/color/go.sum b/vendor/github.com/fatih/color/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/structtag/LICENSE b/vendor/github.com/fatih/structtag/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/structtag/README.md b/vendor/github.com/fatih/structtag/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/structtag/go.mod b/vendor/github.com/fatih/structtag/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/fatih/structtag/tags.go b/vendor/github.com/fatih/structtag/tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/.editorconfig b/vendor/github.com/fsnotify/fsnotify/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/.gitignore b/vendor/github.com/fsnotify/fsnotify/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/.travis.yml b/vendor/github.com/fsnotify/fsnotify/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/AUTHORS b/vendor/github.com/fsnotify/fsnotify/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/CHANGELOG.md b/vendor/github.com/fsnotify/fsnotify/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/CONTRIBUTING.md b/vendor/github.com/fsnotify/fsnotify/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/LICENSE b/vendor/github.com/fsnotify/fsnotify/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/README.md b/vendor/github.com/fsnotify/fsnotify/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/fen.go b/vendor/github.com/fsnotify/fsnotify/fen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/fsnotify.go b/vendor/github.com/fsnotify/fsnotify/fsnotify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/inotify.go b/vendor/github.com/fsnotify/fsnotify/inotify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/inotify_poller.go b/vendor/github.com/fsnotify/fsnotify/inotify_poller.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/kqueue.go b/vendor/github.com/fsnotify/fsnotify/kqueue.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/open_mode_bsd.go b/vendor/github.com/fsnotify/fsnotify/open_mode_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/open_mode_darwin.go b/vendor/github.com/fsnotify/fsnotify/open_mode_darwin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/fsnotify/fsnotify/windows.go b/vendor/github.com/fsnotify/fsnotify/windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/LICENSE b/vendor/github.com/gliderlabs/ssh/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/README.md b/vendor/github.com/gliderlabs/ssh/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/agent.go b/vendor/github.com/gliderlabs/ssh/agent.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/circle.yml b/vendor/github.com/gliderlabs/ssh/circle.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/conn.go b/vendor/github.com/gliderlabs/ssh/conn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/context.go b/vendor/github.com/gliderlabs/ssh/context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/doc.go b/vendor/github.com/gliderlabs/ssh/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/options.go b/vendor/github.com/gliderlabs/ssh/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/server.go b/vendor/github.com/gliderlabs/ssh/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/session.go b/vendor/github.com/gliderlabs/ssh/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/ssh.go b/vendor/github.com/gliderlabs/ssh/ssh.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/tcpip.go b/vendor/github.com/gliderlabs/ssh/tcpip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/util.go b/vendor/github.com/gliderlabs/ssh/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gliderlabs/ssh/wrap.go b/vendor/github.com/gliderlabs/ssh/wrap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/.gitignore b/vendor/github.com/glycerine/go-unsnap-stream/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/LICENSE b/vendor/github.com/glycerine/go-unsnap-stream/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/README.md b/vendor/github.com/glycerine/go-unsnap-stream/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/binary.dat b/vendor/github.com/glycerine/go-unsnap-stream/binary.dat old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/binary.dat.snappy b/vendor/github.com/glycerine/go-unsnap-stream/binary.dat.snappy old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/rbuf.go b/vendor/github.com/glycerine/go-unsnap-stream/rbuf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/snap.go b/vendor/github.com/glycerine/go-unsnap-stream/snap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/unenc.txt b/vendor/github.com/glycerine/go-unsnap-stream/unenc.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/unenc.txt.snappy b/vendor/github.com/glycerine/go-unsnap-stream/unenc.txt.snappy old mode 100644 new mode 100755 diff --git a/vendor/github.com/glycerine/go-unsnap-stream/unsnap.go b/vendor/github.com/glycerine/go-unsnap-stream/unsnap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/.gitignore b/vendor/github.com/go-enry/go-enry/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/.travis.yml b/vendor/github.com/go-enry/go-enry/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/LICENSE b/vendor/github.com/go-enry/go-enry/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/Makefile b/vendor/github.com/go-enry/go-enry/v2/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/README.md b/vendor/github.com/go-enry/go-enry/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/classifier.go b/vendor/github.com/go-enry/go-enry/v2/classifier.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/common.go b/vendor/github.com/go-enry/go-enry/v2/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/alias.go b/vendor/github.com/go-enry/go-enry/v2/data/alias.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/colors.go b/vendor/github.com/go-enry/go-enry/v2/data/colors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/commit.go b/vendor/github.com/go-enry/go-enry/v2/data/commit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/content.go b/vendor/github.com/go-enry/go-enry/v2/data/content.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/doc.go b/vendor/github.com/go-enry/go-enry/v2/data/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/documentation.go b/vendor/github.com/go-enry/go-enry/v2/data/documentation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/extension.go b/vendor/github.com/go-enry/go-enry/v2/data/extension.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/filename.go b/vendor/github.com/go-enry/go-enry/v2/data/filename.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/frequencies.go b/vendor/github.com/go-enry/go-enry/v2/data/frequencies.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/groups.go b/vendor/github.com/go-enry/go-enry/v2/data/groups.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/heuristics.go b/vendor/github.com/go-enry/go-enry/v2/data/heuristics.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/interpreter.go b/vendor/github.com/go-enry/go-enry/v2/data/interpreter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/mimeType.go b/vendor/github.com/go-enry/go-enry/v2/data/mimeType.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/rule/rule.go b/vendor/github.com/go-enry/go-enry/v2/data/rule/rule.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/type.go b/vendor/github.com/go-enry/go-enry/v2/data/type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/data/vendor.go b/vendor/github.com/go-enry/go-enry/v2/data/vendor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/enry.go b/vendor/github.com/go-enry/go-enry/v2/enry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/go.mod b/vendor/github.com/go-enry/go-enry/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/go.sum b/vendor/github.com/go-enry/go-enry/v2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/common.go b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.c b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.c old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.h b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/lex.linguist_yy.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/linguist.h b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/linguist.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/tokenize_c.go b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/flex/tokenize_c.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize.go b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize_c.go b/vendor/github.com/go-enry/go-enry/v2/internal/tokenizer/tokenize_c.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/regex/oniguruma.go b/vendor/github.com/go-enry/go-enry/v2/regex/oniguruma.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/regex/standard.go b/vendor/github.com/go-enry/go-enry/v2/regex/standard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-enry/v2/utils.go b/vendor/github.com/go-enry/go-enry/v2/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/LICENSE b/vendor/github.com/go-enry/go-oniguruma/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/README.md b/vendor/github.com/go-enry/go-oniguruma/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/chelper.c b/vendor/github.com/go-enry/go-oniguruma/chelper.c old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/chelper.h b/vendor/github.com/go-enry/go-oniguruma/chelper.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/constants.go b/vendor/github.com/go-enry/go-oniguruma/constants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/go.mod b/vendor/github.com/go-enry/go-oniguruma/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/quotemeta.go b/vendor/github.com/go-enry/go-oniguruma/quotemeta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-enry/go-oniguruma/regex.go b/vendor/github.com/go-enry/go-oniguruma/regex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/LICENSE b/vendor/github.com/go-git/gcfg/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/README b/vendor/github.com/go-git/gcfg/README old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/doc.go b/vendor/github.com/go-git/gcfg/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/errors.go b/vendor/github.com/go-git/gcfg/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/go1_0.go b/vendor/github.com/go-git/gcfg/go1_0.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/go1_2.go b/vendor/github.com/go-git/gcfg/go1_2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/read.go b/vendor/github.com/go-git/gcfg/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/scanner/errors.go b/vendor/github.com/go-git/gcfg/scanner/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/scanner/scanner.go b/vendor/github.com/go-git/gcfg/scanner/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/set.go b/vendor/github.com/go-git/gcfg/set.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/token/position.go b/vendor/github.com/go-git/gcfg/token/position.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/token/serialize.go b/vendor/github.com/go-git/gcfg/token/serialize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/token/token.go b/vendor/github.com/go-git/gcfg/token/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/types/bool.go b/vendor/github.com/go-git/gcfg/types/bool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/types/doc.go b/vendor/github.com/go-git/gcfg/types/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/types/enum.go b/vendor/github.com/go-git/gcfg/types/enum.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/types/int.go b/vendor/github.com/go-git/gcfg/types/int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/gcfg/types/scan.go b/vendor/github.com/go-git/gcfg/types/scan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/.gitignore b/vendor/github.com/go-git/go-billy/v5/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/LICENSE b/vendor/github.com/go-git/go-billy/v5/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/README.md b/vendor/github.com/go-git/go-billy/v5/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/fs.go b/vendor/github.com/go-git/go-billy/v5/fs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/go.mod b/vendor/github.com/go-git/go-billy/v5/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/go.sum b/vendor/github.com/go-git/go-billy/v5/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/helper/chroot/chroot.go b/vendor/github.com/go-git/go-billy/v5/helper/chroot/chroot.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/helper/polyfill/polyfill.go b/vendor/github.com/go-git/go-billy/v5/helper/polyfill/polyfill.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/osfs/os.go b/vendor/github.com/go-git/go-billy/v5/osfs/os.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/osfs/os_plan9.go b/vendor/github.com/go-git/go-billy/v5/osfs/os_plan9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/osfs/os_posix.go b/vendor/github.com/go-git/go-billy/v5/osfs/os_posix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/osfs/os_windows.go b/vendor/github.com/go-git/go-billy/v5/osfs/os_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/util/glob.go b/vendor/github.com/go-git/go-billy/v5/util/glob.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-billy/v5/util/util.go b/vendor/github.com/go-git/go-billy/v5/util/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/.gitignore b/vendor/github.com/go-git/go-git/v5/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/CODE_OF_CONDUCT.md b/vendor/github.com/go-git/go-git/v5/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/COMPATIBILITY.md b/vendor/github.com/go-git/go-git/v5/COMPATIBILITY.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/CONTRIBUTING.md b/vendor/github.com/go-git/go-git/v5/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/LICENSE b/vendor/github.com/go-git/go-git/v5/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/Makefile b/vendor/github.com/go-git/go-git/v5/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/README.md b/vendor/github.com/go-git/go-git/v5/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/blame.go b/vendor/github.com/go-git/go-git/v5/blame.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/common.go b/vendor/github.com/go-git/go-git/v5/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/config/branch.go b/vendor/github.com/go-git/go-git/v5/config/branch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/config/config.go b/vendor/github.com/go-git/go-git/v5/config/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/config/modules.go b/vendor/github.com/go-git/go-git/v5/config/modules.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/config/refspec.go b/vendor/github.com/go-git/go-git/v5/config/refspec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/doc.go b/vendor/github.com/go-git/go-git/v5/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/go.mod b/vendor/github.com/go-git/go-git/v5/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/go.sum b/vendor/github.com/go-git/go-git/v5/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/internal/revision/parser.go b/vendor/github.com/go-git/go-git/v5/internal/revision/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/internal/revision/scanner.go b/vendor/github.com/go-git/go-git/v5/internal/revision/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/internal/revision/token.go b/vendor/github.com/go-git/go-git/v5/internal/revision/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/internal/url/url.go b/vendor/github.com/go-git/go-git/v5/internal/url/url.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/object_walker.go b/vendor/github.com/go-git/go-git/v5/object_walker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/options.go b/vendor/github.com/go-git/go-git/v5/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/cache/buffer_lru.go b/vendor/github.com/go-git/go-git/v5/plumbing/cache/buffer_lru.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/cache/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/cache/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/cache/object_lru.go b/vendor/github.com/go-git/go-git/v5/plumbing/cache/object_lru.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/error.go b/vendor/github.com/go-git/go-git/v5/plumbing/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/filemode/filemode.go b/vendor/github.com/go-git/go-git/v5/plumbing/filemode/filemode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/commitgraph.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/commitgraph.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/file.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/memory.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/commitgraph/memory.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/decoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/option.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/option.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/config/section.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/config/section.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/diff/patch.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/diff/patch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/diff/unified_encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/diff/unified_encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/dir.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/dir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/matcher.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/matcher.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/pattern.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/gitignore/pattern.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/decoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/idxfile.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/idxfile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/writer.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/idxfile/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/index/decoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/index/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/index/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/index/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/index/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/index/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/index/index.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/index/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/index/match.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/index/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/reader.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/writer.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/objfile/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_index.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_selector.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/delta_selector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/diff_delta.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/diff_delta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/error.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/fsobject.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/fsobject.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/object_pack.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/object_pack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/packfile.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/packfile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/parser.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/patch_delta.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/patch_delta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/scanner.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/packfile/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/encoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/scanner.go b/vendor/github.com/go-git/go-git/v5/plumbing/format/pktline/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/hash.go b/vendor/github.com/go-git/go-git/v5/plumbing/hash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/memory.go b/vendor/github.com/go-git/go-git/v5/plumbing/memory.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object.go b/vendor/github.com/go-git/go-git/v5/plumbing/object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/blob.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/blob.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/change.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/change.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/change_adaptor.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/change_adaptor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs_filtered.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_bfs_filtered.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_ctime.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_ctime.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_limit.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_limit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_path.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commit_walker_path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_graph.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_graph.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_object.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_walker_ctime.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/commitnode_walker_ctime.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/commitgraph/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/difftree.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/difftree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/file.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/merge_base.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/merge_base.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/object.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/patch.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/patch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/tag.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/tag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/tree.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/tree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/object/treenoder.go b/vendor/github.com/go-git/go-git/v5/plumbing/object/treenoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_decode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_encode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/advrefs_encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/capability.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/capability.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/list.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/capability/list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/report_status.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/report_status.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/shallowupd.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/shallowupd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/demux.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/demux.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/muxer.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/sideband/muxer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/srvresp.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/srvresp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_decode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_encode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/ulreq_encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_decode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_encode.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/updreq_encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackreq.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackreq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackresp.go b/vendor/github.com/go-git/go-git/v5/plumbing/protocol/packp/uppackresp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/reference.go b/vendor/github.com/go-git/go-git/v5/plumbing/reference.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/revision.go b/vendor/github.com/go-git/go-git/v5/plumbing/revision.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/revlist/revlist.go b/vendor/github.com/go-git/go-git/v5/plumbing/revlist/revlist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/doc.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/index.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/object.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/reference.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/reference.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/shallow.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/shallow.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/storer/storer.go b/vendor/github.com/go-git/go-git/v5/plumbing/storer/storer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/client/client.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/client/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/file/client.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/file/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/file/server.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/file/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/git/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/git/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/receive_pack.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/receive_pack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/upload_pack.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/http/upload_pack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/server.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/internal/common/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/server/loader.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/server/loader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/server/server.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/server/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/auth_method.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/auth_method.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/common.go b/vendor/github.com/go-git/go-git/v5/plumbing/transport/ssh/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/prune.go b/vendor/github.com/go-git/go-git/v5/prune.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/references.go b/vendor/github.com/go-git/go-git/v5/references.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/remote.go b/vendor/github.com/go-git/go-git/v5/remote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/repository.go b/vendor/github.com/go-git/go-git/v5/repository.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/status.go b/vendor/github.com/go-git/go-git/v5/status.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/config.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/deltaobject.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/deltaobject.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_rewrite_packed_refs.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_rewrite_packed_refs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_setref.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/dotgit_setref.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/writers.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/dotgit/writers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/index.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/module.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/module.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/object.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/reference.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/reference.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/shallow.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/shallow.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/filesystem/storage.go b/vendor/github.com/go-git/go-git/v5/storage/filesystem/storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/memory/storage.go b/vendor/github.com/go-git/go-git/v5/storage/memory/storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/storage/storer.go b/vendor/github.com/go-git/go-git/v5/storage/storer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/submodule.go b/vendor/github.com/go-git/go-git/v5/submodule.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/binary/read.go b/vendor/github.com/go-git/go-git/v5/utils/binary/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/binary/write.go b/vendor/github.com/go-git/go-git/v5/utils/binary/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/diff/diff.go b/vendor/github.com/go-git/go-git/v5/utils/diff/diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/ioutil/common.go b/vendor/github.com/go-git/go-git/v5/utils/ioutil/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/change.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/change.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/difftree.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/difftree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/doc.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/doubleiter.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/doubleiter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/filesystem/node.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/filesystem/node.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/index/node.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/index/node.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/internal/frame/frame.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/internal/frame/frame.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/iter.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/noder.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/noder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/path.go b/vendor/github.com/go-git/go-git/v5/utils/merkletrie/noder/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree.go b/vendor/github.com/go-git/go-git/v5/worktree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_bsd.go b/vendor/github.com/go-git/go-git/v5/worktree_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_commit.go b/vendor/github.com/go-git/go-git/v5/worktree_commit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_linux.go b/vendor/github.com/go-git/go-git/v5/worktree_linux.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_plan9.go b/vendor/github.com/go-git/go-git/v5/worktree_plan9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_status.go b/vendor/github.com/go-git/go-git/v5/worktree_status.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_unix_other.go b/vendor/github.com/go-git/go-git/v5/worktree_unix_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-git/go-git/v5/worktree_windows.go b/vendor/github.com/go-git/go-git/v5/worktree_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/robfig/cron/v3/.gitignore b/vendor/github.com/go-http-utils/headers/.gitignore old mode 100644 new mode 100755 similarity index 94% rename from vendor/github.com/robfig/cron/v3/.gitignore rename to vendor/github.com/go-http-utils/headers/.gitignore index 00268614f..daf913b1b --- a/vendor/github.com/robfig/cron/v3/.gitignore +++ b/vendor/github.com/go-http-utils/headers/.gitignore @@ -20,3 +20,5 @@ _cgo_export.* _testmain.go *.exe +*.test +*.prof diff --git a/vendor/github.com/go-http-utils/headers/.travis.yml b/vendor/github.com/go-http-utils/headers/.travis.yml new file mode 100755 index 000000000..b009ee7df --- /dev/null +++ b/vendor/github.com/go-http-utils/headers/.travis.yml @@ -0,0 +1,11 @@ +language: go +go: + - 1.7 +before_install: + - go get -t -v ./... + - go get github.com/modocache/gover + - go get github.com/mattn/goveralls +script: + - go test -v -coverprofile=headers.coverprofile + - gover + - goveralls -coverprofile=gover.coverprofile -service=travis-ci \ No newline at end of file diff --git a/vendor/github.com/go-http-utils/headers/LICENSE b/vendor/github.com/go-http-utils/headers/LICENSE new file mode 100755 index 000000000..c0e1be5e0 --- /dev/null +++ b/vendor/github.com/go-http-utils/headers/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2016 go-http-utils + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/vendor/github.com/go-http-utils/headers/README.md b/vendor/github.com/go-http-utils/headers/README.md new file mode 100755 index 000000000..28bdc5561 --- /dev/null +++ b/vendor/github.com/go-http-utils/headers/README.md @@ -0,0 +1,34 @@ +# headers +[![Build Status](https://travis-ci.org/go-http-utils/headers.svg?branch=master)](https://travis-ci.org/go-http-utils/headers) +[![Coverage Status](https://coveralls.io/repos/github/go-http-utils/headers/badge.svg?branch=master)](https://coveralls.io/github/go-http-utils/headers?branch=master) + +HTTP header constants for Gophers. + +## Installation + +```sh +go get -u github.com/go-http-utils/headers +``` + +## Documentation + +https://godoc.org/github.com/go-http-utils/headers + +## Usage + +```go +import ( + "fmt" + + "github.com/go-http-utils/headers" +) + +fmt.Println(headers.AcceptCharset) +// -> "Accept-Charset" + +fmt.Println(headers.IfNoneMatch) +// -> "If-None-Match" + +fmt.Println(headers.Normalize("content-type")) +// -> "Content-Type" +``` diff --git a/vendor/github.com/go-http-utils/headers/headers.go b/vendor/github.com/go-http-utils/headers/headers.go new file mode 100755 index 000000000..6bad8b106 --- /dev/null +++ b/vendor/github.com/go-http-utils/headers/headers.go @@ -0,0 +1,95 @@ +package headers + +import ( + "net/textproto" +) + +// Version is this package's version +const Version = "2.1.0" + +// HTTP headers +const ( + Accept = "Accept" + AcceptCharset = "Accept-Charset" + AcceptEncoding = "Accept-Encoding" + AcceptLanguage = "Accept-Language" + Authorization = "Authorization" + CacheControl = "Cache-Control" + ContentLength = "Content-Length" + ContentMD5 = "Content-MD5" + ContentType = "Content-Type" + DoNotTrack = "DNT" + IfMatch = "If-Match" + IfModifiedSince = "If-Modified-Since" + IfNoneMatch = "If-None-Match" + IfRange = "If-Range" + IfUnmodifiedSince = "If-Unmodified-Since" + MaxForwards = "Max-Forwards" + ProxyAuthorization = "Proxy-Authorization" + Pragma = "Pragma" + Range = "Range" + Referer = "Referer" + UserAgent = "User-Agent" + TE = "TE" + Via = "Via" + Warning = "Warning" + Cookie = "Cookie" + Origin = "Origin" + AcceptDatetime = "Accept-Datetime" + XRequestedWith = "X-Requested-With" + AccessControlAllowOrigin = "Access-Control-Allow-Origin" + AccessControlAllowMethods = "Access-Control-Allow-Methods" + AccessControlAllowHeaders = "Access-Control-Allow-Headers" + AccessControlAllowCredentials = "Access-Control-Allow-Credentials" + AccessControlExposeHeaders = "Access-Control-Expose-Headers" + AccessControlMaxAge = "Access-Control-Max-Age" + AccessControlRequestMethod = "Access-Control-Request-Method" + AccessControlRequestHeaders = "Access-Control-Request-Headers" + AcceptPatch = "Accept-Patch" + AcceptRanges = "Accept-Ranges" + Allow = "Allow" + ContentEncoding = "Content-Encoding" + ContentLanguage = "Content-Language" + ContentLocation = "Content-Location" + ContentDisposition = "Content-Disposition" + ContentRange = "Content-Range" + ETag = "ETag" + Expires = "Expires" + LastModified = "Last-Modified" + Link = "Link" + Location = "Location" + P3P = "P3P" + ProxyAuthenticate = "Proxy-Authenticate" + Refresh = "Refresh" + RetryAfter = "Retry-After" + Server = "Server" + SetCookie = "Set-Cookie" + StrictTransportSecurity = "Strict-Transport-Security" + TransferEncoding = "Transfer-Encoding" + Upgrade = "Upgrade" + Vary = "Vary" + WWWAuthenticate = "WWW-Authenticate" + + // Non-Standard + XFrameOptions = "X-Frame-Options" + XXSSProtection = "X-XSS-Protection" + ContentSecurityPolicy = "Content-Security-Policy" + XContentSecurityPolicy = "X-Content-Security-Policy" + XWebKitCSP = "X-WebKit-CSP" + XContentTypeOptions = "X-Content-Type-Options" + XPoweredBy = "X-Powered-By" + XUACompatible = "X-UA-Compatible" + XForwardedProto = "X-Forwarded-Proto" + XHTTPMethodOverride = "X-HTTP-Method-Override" + XForwardedFor = "X-Forwarded-For" + XRealIP = "X-Real-IP" + XCSRFToken = "X-CSRF-Token" + XRatelimitLimit = "X-Ratelimit-Limit" + XRatelimitRemaining = "X-Ratelimit-Remaining" + XRatelimitReset = "X-Ratelimit-Reset" +) + +// Normalize formats the input header to the formation of "Xxx-Xxx". +func Normalize(header string) string { + return textproto.CanonicalMIMEHeaderKey(header) +} diff --git a/vendor/github.com/go-ini/ini/.gitignore b/vendor/github.com/go-ini/ini/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/LICENSE b/vendor/github.com/go-ini/ini/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/Makefile b/vendor/github.com/go-ini/ini/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/README.md b/vendor/github.com/go-ini/ini/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/codecov.yml b/vendor/github.com/go-ini/ini/codecov.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/data_source.go b/vendor/github.com/go-ini/ini/data_source.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/deprecated.go b/vendor/github.com/go-ini/ini/deprecated.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/error.go b/vendor/github.com/go-ini/ini/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/file.go b/vendor/github.com/go-ini/ini/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/helper.go b/vendor/github.com/go-ini/ini/helper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/ini.go b/vendor/github.com/go-ini/ini/ini.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/key.go b/vendor/github.com/go-ini/ini/key.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/parser.go b/vendor/github.com/go-ini/ini/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/section.go b/vendor/github.com/go-ini/ini/section.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-ini/ini/struct.go b/vendor/github.com/go-ini/ini/struct.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/LICENSE b/vendor/github.com/go-macaron/auth/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/README.md b/vendor/github.com/go-macaron/auth/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/basic.go b/vendor/github.com/go-macaron/auth/basic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/bearer.go b/vendor/github.com/go-macaron/auth/bearer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/util.go b/vendor/github.com/go-macaron/auth/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/auth/wercker.yml b/vendor/github.com/go-macaron/auth/wercker.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/inject/.travis.yml b/vendor/github.com/go-macaron/inject/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/inject/LICENSE b/vendor/github.com/go-macaron/inject/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/inject/README.md b/vendor/github.com/go-macaron/inject/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-macaron/inject/inject.go b/vendor/github.com/go-macaron/inject/inject.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/.codecov.yml b/vendor/github.com/go-openapi/analysis/.codecov.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/.gitignore b/vendor/github.com/go-openapi/analysis/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/.golangci.yml b/vendor/github.com/go-openapi/analysis/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/.travis.yml b/vendor/github.com/go-openapi/analysis/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/analysis/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/LICENSE b/vendor/github.com/go-openapi/analysis/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/README.md b/vendor/github.com/go-openapi/analysis/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/analyzer.go b/vendor/github.com/go-openapi/analysis/analyzer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/appveyor.yml b/vendor/github.com/go-openapi/analysis/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/debug.go b/vendor/github.com/go-openapi/analysis/debug.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/doc.go b/vendor/github.com/go-openapi/analysis/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/fixer.go b/vendor/github.com/go-openapi/analysis/fixer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/flatten.go b/vendor/github.com/go-openapi/analysis/flatten.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/go.mod b/vendor/github.com/go-openapi/analysis/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/go.sum b/vendor/github.com/go-openapi/analysis/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/internal/post_go18.go b/vendor/github.com/go-openapi/analysis/internal/post_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/internal/pre_go18.go b/vendor/github.com/go-openapi/analysis/internal/pre_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/mixin.go b/vendor/github.com/go-openapi/analysis/mixin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/analysis/schema.go b/vendor/github.com/go-openapi/analysis/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/.gitignore b/vendor/github.com/go-openapi/errors/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/.golangci.yml b/vendor/github.com/go-openapi/errors/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/.travis.yml b/vendor/github.com/go-openapi/errors/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/errors/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/LICENSE b/vendor/github.com/go-openapi/errors/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/README.md b/vendor/github.com/go-openapi/errors/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/api.go b/vendor/github.com/go-openapi/errors/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/auth.go b/vendor/github.com/go-openapi/errors/auth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/doc.go b/vendor/github.com/go-openapi/errors/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/go.mod b/vendor/github.com/go-openapi/errors/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/go.sum b/vendor/github.com/go-openapi/errors/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/headers.go b/vendor/github.com/go-openapi/errors/headers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/middleware.go b/vendor/github.com/go-openapi/errors/middleware.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/parsing.go b/vendor/github.com/go-openapi/errors/parsing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/errors/schema.go b/vendor/github.com/go-openapi/errors/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/inflect/.hgignore b/vendor/github.com/go-openapi/inflect/.hgignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/inflect/LICENCE b/vendor/github.com/go-openapi/inflect/LICENCE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/inflect/README b/vendor/github.com/go-openapi/inflect/README old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/inflect/go.mod b/vendor/github.com/go-openapi/inflect/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/inflect/inflect.go b/vendor/github.com/go-openapi/inflect/inflect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/.editorconfig b/vendor/github.com/go-openapi/jsonpointer/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/.gitignore b/vendor/github.com/go-openapi/jsonpointer/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/.travis.yml b/vendor/github.com/go-openapi/jsonpointer/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/jsonpointer/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/LICENSE b/vendor/github.com/go-openapi/jsonpointer/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/README.md b/vendor/github.com/go-openapi/jsonpointer/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/go.mod b/vendor/github.com/go-openapi/jsonpointer/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/go.sum b/vendor/github.com/go-openapi/jsonpointer/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonpointer/pointer.go b/vendor/github.com/go-openapi/jsonpointer/pointer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/.gitignore b/vendor/github.com/go-openapi/jsonreference/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/.travis.yml b/vendor/github.com/go-openapi/jsonreference/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/jsonreference/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/LICENSE b/vendor/github.com/go-openapi/jsonreference/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/README.md b/vendor/github.com/go-openapi/jsonreference/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/go.mod b/vendor/github.com/go-openapi/jsonreference/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/go.sum b/vendor/github.com/go-openapi/jsonreference/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/jsonreference/reference.go b/vendor/github.com/go-openapi/jsonreference/reference.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/.editorconfig b/vendor/github.com/go-openapi/loads/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/.gitignore b/vendor/github.com/go-openapi/loads/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/.golangci.yml b/vendor/github.com/go-openapi/loads/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/.travis.yml b/vendor/github.com/go-openapi/loads/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/loads/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/LICENSE b/vendor/github.com/go-openapi/loads/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/README.md b/vendor/github.com/go-openapi/loads/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/doc.go b/vendor/github.com/go-openapi/loads/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/fmts/yaml.go b/vendor/github.com/go-openapi/loads/fmts/yaml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/go.mod b/vendor/github.com/go-openapi/loads/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/go.sum b/vendor/github.com/go-openapi/loads/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/loads/spec.go b/vendor/github.com/go-openapi/loads/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/.editorconfig b/vendor/github.com/go-openapi/runtime/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/.gitignore b/vendor/github.com/go-openapi/runtime/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/.travis.yml b/vendor/github.com/go-openapi/runtime/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/runtime/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/LICENSE b/vendor/github.com/go-openapi/runtime/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/README.md b/vendor/github.com/go-openapi/runtime/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/bytestream.go b/vendor/github.com/go-openapi/runtime/bytestream.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/client_auth_info.go b/vendor/github.com/go-openapi/runtime/client_auth_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/client_operation.go b/vendor/github.com/go-openapi/runtime/client_operation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/client_request.go b/vendor/github.com/go-openapi/runtime/client_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/client_response.go b/vendor/github.com/go-openapi/runtime/client_response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/constants.go b/vendor/github.com/go-openapi/runtime/constants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/csv.go b/vendor/github.com/go-openapi/runtime/csv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/discard.go b/vendor/github.com/go-openapi/runtime/discard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/file.go b/vendor/github.com/go-openapi/runtime/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/go.mod b/vendor/github.com/go-openapi/runtime/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/go.sum b/vendor/github.com/go-openapi/runtime/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/headers.go b/vendor/github.com/go-openapi/runtime/headers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/interfaces.go b/vendor/github.com/go-openapi/runtime/interfaces.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/json.go b/vendor/github.com/go-openapi/runtime/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/logger/logger.go b/vendor/github.com/go-openapi/runtime/logger/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/logger/standard.go b/vendor/github.com/go-openapi/runtime/logger/standard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/context.go b/vendor/github.com/go-openapi/runtime/middleware/context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/denco/LICENSE b/vendor/github.com/go-openapi/runtime/middleware/denco/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/denco/README.md b/vendor/github.com/go-openapi/runtime/middleware/denco/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/denco/router.go b/vendor/github.com/go-openapi/runtime/middleware/denco/router.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/denco/server.go b/vendor/github.com/go-openapi/runtime/middleware/denco/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/denco/util.go b/vendor/github.com/go-openapi/runtime/middleware/denco/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/doc.go b/vendor/github.com/go-openapi/runtime/middleware/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/go18.go b/vendor/github.com/go-openapi/runtime/middleware/go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/header/header.go b/vendor/github.com/go-openapi/runtime/middleware/header/header.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/negotiate.go b/vendor/github.com/go-openapi/runtime/middleware/negotiate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/not_implemented.go b/vendor/github.com/go-openapi/runtime/middleware/not_implemented.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/operation.go b/vendor/github.com/go-openapi/runtime/middleware/operation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/parameter.go b/vendor/github.com/go-openapi/runtime/middleware/parameter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/pre_go18.go b/vendor/github.com/go-openapi/runtime/middleware/pre_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/redoc.go b/vendor/github.com/go-openapi/runtime/middleware/redoc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/request.go b/vendor/github.com/go-openapi/runtime/middleware/request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/router.go b/vendor/github.com/go-openapi/runtime/middleware/router.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/security.go b/vendor/github.com/go-openapi/runtime/middleware/security.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/spec.go b/vendor/github.com/go-openapi/runtime/middleware/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/untyped/api.go b/vendor/github.com/go-openapi/runtime/middleware/untyped/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/middleware/validation.go b/vendor/github.com/go-openapi/runtime/middleware/validation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/request.go b/vendor/github.com/go-openapi/runtime/request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/security/authenticator.go b/vendor/github.com/go-openapi/runtime/security/authenticator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/security/authorizer.go b/vendor/github.com/go-openapi/runtime/security/authorizer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/statuses.go b/vendor/github.com/go-openapi/runtime/statuses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/text.go b/vendor/github.com/go-openapi/runtime/text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/values.go b/vendor/github.com/go-openapi/runtime/values.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/runtime/xml.go b/vendor/github.com/go-openapi/runtime/xml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/.editorconfig b/vendor/github.com/go-openapi/spec/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/.gitignore b/vendor/github.com/go-openapi/spec/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/.golangci.yml b/vendor/github.com/go-openapi/spec/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/.travis.yml b/vendor/github.com/go-openapi/spec/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/spec/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/LICENSE b/vendor/github.com/go-openapi/spec/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/README.md b/vendor/github.com/go-openapi/spec/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/bindata.go b/vendor/github.com/go-openapi/spec/bindata.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/cache.go b/vendor/github.com/go-openapi/spec/cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/contact_info.go b/vendor/github.com/go-openapi/spec/contact_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/debug.go b/vendor/github.com/go-openapi/spec/debug.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/expander.go b/vendor/github.com/go-openapi/spec/expander.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/external_docs.go b/vendor/github.com/go-openapi/spec/external_docs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/go.mod b/vendor/github.com/go-openapi/spec/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/go.sum b/vendor/github.com/go-openapi/spec/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/header.go b/vendor/github.com/go-openapi/spec/header.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/info.go b/vendor/github.com/go-openapi/spec/info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/items.go b/vendor/github.com/go-openapi/spec/items.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/license.go b/vendor/github.com/go-openapi/spec/license.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/normalizer.go b/vendor/github.com/go-openapi/spec/normalizer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/operation.go b/vendor/github.com/go-openapi/spec/operation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/parameter.go b/vendor/github.com/go-openapi/spec/parameter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/path_item.go b/vendor/github.com/go-openapi/spec/path_item.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/paths.go b/vendor/github.com/go-openapi/spec/paths.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/ref.go b/vendor/github.com/go-openapi/spec/ref.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/response.go b/vendor/github.com/go-openapi/spec/response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/responses.go b/vendor/github.com/go-openapi/spec/responses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/schema.go b/vendor/github.com/go-openapi/spec/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/schema_loader.go b/vendor/github.com/go-openapi/spec/schema_loader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/security_scheme.go b/vendor/github.com/go-openapi/spec/security_scheme.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/spec.go b/vendor/github.com/go-openapi/spec/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/swagger.go b/vendor/github.com/go-openapi/spec/swagger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/tag.go b/vendor/github.com/go-openapi/spec/tag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/unused.go b/vendor/github.com/go-openapi/spec/unused.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/spec/xml_object.go b/vendor/github.com/go-openapi/spec/xml_object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/.editorconfig b/vendor/github.com/go-openapi/strfmt/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/.gitignore b/vendor/github.com/go-openapi/strfmt/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/.golangci.yml b/vendor/github.com/go-openapi/strfmt/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/.travis.yml b/vendor/github.com/go-openapi/strfmt/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/strfmt/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/LICENSE b/vendor/github.com/go-openapi/strfmt/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/README.md b/vendor/github.com/go-openapi/strfmt/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/bson.go b/vendor/github.com/go-openapi/strfmt/bson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/date.go b/vendor/github.com/go-openapi/strfmt/date.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/default.go b/vendor/github.com/go-openapi/strfmt/default.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/doc.go b/vendor/github.com/go-openapi/strfmt/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/duration.go b/vendor/github.com/go-openapi/strfmt/duration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/format.go b/vendor/github.com/go-openapi/strfmt/format.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/go.mod b/vendor/github.com/go-openapi/strfmt/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/go.sum b/vendor/github.com/go-openapi/strfmt/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/strfmt/time.go b/vendor/github.com/go-openapi/strfmt/time.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/.editorconfig b/vendor/github.com/go-openapi/swag/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/.gitignore b/vendor/github.com/go-openapi/swag/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/.golangci.yml b/vendor/github.com/go-openapi/swag/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/.travis.yml b/vendor/github.com/go-openapi/swag/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/swag/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/LICENSE b/vendor/github.com/go-openapi/swag/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/README.md b/vendor/github.com/go-openapi/swag/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/convert.go b/vendor/github.com/go-openapi/swag/convert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/convert_types.go b/vendor/github.com/go-openapi/swag/convert_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/doc.go b/vendor/github.com/go-openapi/swag/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/go.mod b/vendor/github.com/go-openapi/swag/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/go.sum b/vendor/github.com/go-openapi/swag/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/json.go b/vendor/github.com/go-openapi/swag/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/loading.go b/vendor/github.com/go-openapi/swag/loading.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/name_lexem.go b/vendor/github.com/go-openapi/swag/name_lexem.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/net.go b/vendor/github.com/go-openapi/swag/net.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/path.go b/vendor/github.com/go-openapi/swag/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/post_go18.go b/vendor/github.com/go-openapi/swag/post_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/post_go19.go b/vendor/github.com/go-openapi/swag/post_go19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/pre_go18.go b/vendor/github.com/go-openapi/swag/pre_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/pre_go19.go b/vendor/github.com/go-openapi/swag/pre_go19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/split.go b/vendor/github.com/go-openapi/swag/split.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/util.go b/vendor/github.com/go-openapi/swag/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/swag/yaml.go b/vendor/github.com/go-openapi/swag/yaml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/.editorconfig b/vendor/github.com/go-openapi/validate/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/.gitignore b/vendor/github.com/go-openapi/validate/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/.golangci.yml b/vendor/github.com/go-openapi/validate/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/.travis.yml b/vendor/github.com/go-openapi/validate/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/CODE_OF_CONDUCT.md b/vendor/github.com/go-openapi/validate/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/LICENSE b/vendor/github.com/go-openapi/validate/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/README.md b/vendor/github.com/go-openapi/validate/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/debug.go b/vendor/github.com/go-openapi/validate/debug.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/default_validator.go b/vendor/github.com/go-openapi/validate/default_validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/doc.go b/vendor/github.com/go-openapi/validate/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/example_validator.go b/vendor/github.com/go-openapi/validate/example_validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/formats.go b/vendor/github.com/go-openapi/validate/formats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/go.mod b/vendor/github.com/go-openapi/validate/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/go.sum b/vendor/github.com/go-openapi/validate/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/helpers.go b/vendor/github.com/go-openapi/validate/helpers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/object_validator.go b/vendor/github.com/go-openapi/validate/object_validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/options.go b/vendor/github.com/go-openapi/validate/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/result.go b/vendor/github.com/go-openapi/validate/result.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/rexp.go b/vendor/github.com/go-openapi/validate/rexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/schema.go b/vendor/github.com/go-openapi/validate/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/schema_messages.go b/vendor/github.com/go-openapi/validate/schema_messages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/schema_option.go b/vendor/github.com/go-openapi/validate/schema_option.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/schema_props.go b/vendor/github.com/go-openapi/validate/schema_props.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/slice_validator.go b/vendor/github.com/go-openapi/validate/slice_validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/spec.go b/vendor/github.com/go-openapi/validate/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/spec_messages.go b/vendor/github.com/go-openapi/validate/spec_messages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/type.go b/vendor/github.com/go-openapi/validate/type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/update-fixtures.sh b/vendor/github.com/go-openapi/validate/update-fixtures.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/validator.go b/vendor/github.com/go-openapi/validate/validator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-openapi/validate/values.go b/vendor/github.com/go-openapi/validate/values.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/.gitignore b/vendor/github.com/go-redis/redis/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/.travis.yml b/vendor/github.com/go-redis/redis/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/CHANGELOG.md b/vendor/github.com/go-redis/redis/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/LICENSE b/vendor/github.com/go-redis/redis/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/Makefile b/vendor/github.com/go-redis/redis/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/README.md b/vendor/github.com/go-redis/redis/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/cluster.go b/vendor/github.com/go-redis/redis/cluster.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/cluster_commands.go b/vendor/github.com/go-redis/redis/cluster_commands.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/command.go b/vendor/github.com/go-redis/redis/command.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/commands.go b/vendor/github.com/go-redis/redis/commands.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/doc.go b/vendor/github.com/go-redis/redis/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/consistenthash/consistenthash.go b/vendor/github.com/go-redis/redis/internal/consistenthash/consistenthash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/error.go b/vendor/github.com/go-redis/redis/internal/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/hashtag/hashtag.go b/vendor/github.com/go-redis/redis/internal/hashtag/hashtag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/internal.go b/vendor/github.com/go-redis/redis/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/log.go b/vendor/github.com/go-redis/redis/internal/log.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/once.go b/vendor/github.com/go-redis/redis/internal/once.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/pool/conn.go b/vendor/github.com/go-redis/redis/internal/pool/conn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/pool/pool.go b/vendor/github.com/go-redis/redis/internal/pool/pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/pool/pool_single.go b/vendor/github.com/go-redis/redis/internal/pool/pool_single.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/pool/pool_sticky.go b/vendor/github.com/go-redis/redis/internal/pool/pool_sticky.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/proto/reader.go b/vendor/github.com/go-redis/redis/internal/proto/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/proto/scan.go b/vendor/github.com/go-redis/redis/internal/proto/scan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/proto/writer.go b/vendor/github.com/go-redis/redis/internal/proto/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/util.go b/vendor/github.com/go-redis/redis/internal/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/util/safe.go b/vendor/github.com/go-redis/redis/internal/util/safe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/util/strconv.go b/vendor/github.com/go-redis/redis/internal/util/strconv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/internal/util/unsafe.go b/vendor/github.com/go-redis/redis/internal/util/unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/iterator.go b/vendor/github.com/go-redis/redis/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/options.go b/vendor/github.com/go-redis/redis/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/pipeline.go b/vendor/github.com/go-redis/redis/pipeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/pubsub.go b/vendor/github.com/go-redis/redis/pubsub.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/redis.go b/vendor/github.com/go-redis/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/result.go b/vendor/github.com/go-redis/redis/result.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/ring.go b/vendor/github.com/go-redis/redis/ring.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/script.go b/vendor/github.com/go-redis/redis/script.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/sentinel.go b/vendor/github.com/go-redis/redis/sentinel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/tx.go b/vendor/github.com/go-redis/redis/tx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-redis/redis/universal.go b/vendor/github.com/go-redis/redis/universal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/.gitignore b/vendor/github.com/go-resty/resty/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/.travis.yml b/vendor/github.com/go-resty/resty/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/BUILD.bazel b/vendor/github.com/go-resty/resty/v2/BUILD.bazel old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/LICENSE b/vendor/github.com/go-resty/resty/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/README.md b/vendor/github.com/go-resty/resty/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/WORKSPACE b/vendor/github.com/go-resty/resty/v2/WORKSPACE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/client.go b/vendor/github.com/go-resty/resty/v2/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/go.mod b/vendor/github.com/go-resty/resty/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/middleware.go b/vendor/github.com/go-resty/resty/v2/middleware.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/redirect.go b/vendor/github.com/go-resty/resty/v2/redirect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/request.go b/vendor/github.com/go-resty/resty/v2/request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/response.go b/vendor/github.com/go-resty/resty/v2/response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/resty.go b/vendor/github.com/go-resty/resty/v2/resty.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/retry.go b/vendor/github.com/go-resty/resty/v2/retry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/trace.go b/vendor/github.com/go-resty/resty/v2/trace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/transport.go b/vendor/github.com/go-resty/resty/v2/transport.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/transport112.go b/vendor/github.com/go-resty/resty/v2/transport112.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-resty/resty/v2/util.go b/vendor/github.com/go-resty/resty/v2/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/.gitignore b/vendor/github.com/go-sql-driver/mysql/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/.travis.yml b/vendor/github.com/go-sql-driver/mysql/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/AUTHORS b/vendor/github.com/go-sql-driver/mysql/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/CHANGELOG.md b/vendor/github.com/go-sql-driver/mysql/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/CONTRIBUTING.md b/vendor/github.com/go-sql-driver/mysql/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/LICENSE b/vendor/github.com/go-sql-driver/mysql/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/README.md b/vendor/github.com/go-sql-driver/mysql/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/appengine.go b/vendor/github.com/go-sql-driver/mysql/appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/auth.go b/vendor/github.com/go-sql-driver/mysql/auth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/buffer.go b/vendor/github.com/go-sql-driver/mysql/buffer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/collations.go b/vendor/github.com/go-sql-driver/mysql/collations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/connection.go b/vendor/github.com/go-sql-driver/mysql/connection.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/connection_go18.go b/vendor/github.com/go-sql-driver/mysql/connection_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/const.go b/vendor/github.com/go-sql-driver/mysql/const.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/driver.go b/vendor/github.com/go-sql-driver/mysql/driver.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/dsn.go b/vendor/github.com/go-sql-driver/mysql/dsn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/errors.go b/vendor/github.com/go-sql-driver/mysql/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/fields.go b/vendor/github.com/go-sql-driver/mysql/fields.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/infile.go b/vendor/github.com/go-sql-driver/mysql/infile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/packets.go b/vendor/github.com/go-sql-driver/mysql/packets.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/result.go b/vendor/github.com/go-sql-driver/mysql/result.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/rows.go b/vendor/github.com/go-sql-driver/mysql/rows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/statement.go b/vendor/github.com/go-sql-driver/mysql/statement.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/transaction.go b/vendor/github.com/go-sql-driver/mysql/transaction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/utils.go b/vendor/github.com/go-sql-driver/mysql/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/utils_go17.go b/vendor/github.com/go-sql-driver/mysql/utils_go17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-sql-driver/mysql/utils_go18.go b/vendor/github.com/go-sql-driver/mysql/utils_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-stack/stack/.travis.yml b/vendor/github.com/go-stack/stack/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-stack/stack/LICENSE.md b/vendor/github.com/go-stack/stack/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-stack/stack/README.md b/vendor/github.com/go-stack/stack/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-stack/stack/go.mod b/vendor/github.com/go-stack/stack/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-stack/stack/stack.go b/vendor/github.com/go-stack/stack/stack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/LICENSE b/vendor/github.com/go-swagger/go-swagger/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/.gitignore b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/array_diff.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/array_diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/compatibility.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/compatibility.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difference_location.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difference_location.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difftypes.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/difftypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/node.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/node.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/reporting.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/reporting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_analyser.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_analyser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_difference.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/spec_difference.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/type_adapters.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/diff/type_adapters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/expand.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/expand.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/flatten.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/flatten.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/client.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/contrib.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/contrib.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/model.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/model.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/operation.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/operation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/server.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/shared.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/shared.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec_go111.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/spec_go111.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/support.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/generate/support.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd/spec.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/initcmd/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/mixin.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/mixin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/serve.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/serve.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/validate.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/validate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/version.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/commands/version.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/cmd/swagger/swagger.go b/vendor/github.com/go-swagger/go-swagger/cmd/swagger/swagger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/application.go b/vendor/github.com/go-swagger/go-swagger/codescan/application.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/meta.go b/vendor/github.com/go-swagger/go-swagger/codescan/meta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/operations.go b/vendor/github.com/go-swagger/go-swagger/codescan/operations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/parameters.go b/vendor/github.com/go-swagger/go-swagger/codescan/parameters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/parser.go b/vendor/github.com/go-swagger/go-swagger/codescan/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/regexprs.go b/vendor/github.com/go-swagger/go-swagger/codescan/regexprs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/responses.go b/vendor/github.com/go-swagger/go-swagger/codescan/responses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/route_params.go b/vendor/github.com/go-swagger/go-swagger/codescan/route_params.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/routes.go b/vendor/github.com/go-swagger/go-swagger/codescan/routes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/schema.go b/vendor/github.com/go-swagger/go-swagger/codescan/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/codescan/spec.go b/vendor/github.com/go-swagger/go-swagger/codescan/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/bindata.go b/vendor/github.com/go-swagger/go-swagger/generator/bindata.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/client.go b/vendor/github.com/go-swagger/go-swagger/generator/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/config.go b/vendor/github.com/go-swagger/go-swagger/generator/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/debug.go b/vendor/github.com/go-swagger/go-swagger/generator/debug.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/discriminators.go b/vendor/github.com/go-swagger/go-swagger/generator/discriminators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/doc.go b/vendor/github.com/go-swagger/go-swagger/generator/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/formats.go b/vendor/github.com/go-swagger/go-swagger/generator/formats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/gen-debug.sh b/vendor/github.com/go-swagger/go-swagger/generator/gen-debug.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/model.go b/vendor/github.com/go-swagger/go-swagger/generator/model.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/operation.go b/vendor/github.com/go-swagger/go-swagger/generator/operation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/shared.go b/vendor/github.com/go-swagger/go-swagger/generator/shared.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/structs.go b/vendor/github.com/go-swagger/go-swagger/generator/structs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/support.go b/vendor/github.com/go-swagger/go-swagger/generator/support.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/template_repo.go b/vendor/github.com/go-swagger/go-swagger/generator/template_repo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/generator/types.go b/vendor/github.com/go-swagger/go-swagger/generator/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/classifier.go b/vendor/github.com/go-swagger/go-swagger/scan/classifier.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/doc.go b/vendor/github.com/go-swagger/go-swagger/scan/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/meta.go b/vendor/github.com/go-swagger/go-swagger/scan/meta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/operations.go b/vendor/github.com/go-swagger/go-swagger/scan/operations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/parameters.go b/vendor/github.com/go-swagger/go-swagger/scan/parameters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/path.go b/vendor/github.com/go-swagger/go-swagger/scan/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/responses.go b/vendor/github.com/go-swagger/go-swagger/scan/responses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/route_params.go b/vendor/github.com/go-swagger/go-swagger/scan/route_params.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/routes.go b/vendor/github.com/go-swagger/go-swagger/scan/routes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/scanner.go b/vendor/github.com/go-swagger/go-swagger/scan/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/schema.go b/vendor/github.com/go-swagger/go-swagger/scan/schema.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/go-swagger/go-swagger/scan/validators.go b/vendor/github.com/go-swagger/go-swagger/scan/validators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/.gitignore b/vendor/github.com/gobwas/glob/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/.travis.yml b/vendor/github.com/gobwas/glob/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/LICENSE b/vendor/github.com/gobwas/glob/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/bench.sh b/vendor/github.com/gobwas/glob/bench.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/compiler/compiler.go b/vendor/github.com/gobwas/glob/compiler/compiler.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/glob.go b/vendor/github.com/gobwas/glob/glob.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/any.go b/vendor/github.com/gobwas/glob/match/any.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/any_of.go b/vendor/github.com/gobwas/glob/match/any_of.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/btree.go b/vendor/github.com/gobwas/glob/match/btree.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/contains.go b/vendor/github.com/gobwas/glob/match/contains.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/every_of.go b/vendor/github.com/gobwas/glob/match/every_of.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/list.go b/vendor/github.com/gobwas/glob/match/list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/match.go b/vendor/github.com/gobwas/glob/match/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/max.go b/vendor/github.com/gobwas/glob/match/max.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/min.go b/vendor/github.com/gobwas/glob/match/min.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/nothing.go b/vendor/github.com/gobwas/glob/match/nothing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/prefix.go b/vendor/github.com/gobwas/glob/match/prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/prefix_any.go b/vendor/github.com/gobwas/glob/match/prefix_any.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/prefix_suffix.go b/vendor/github.com/gobwas/glob/match/prefix_suffix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/range.go b/vendor/github.com/gobwas/glob/match/range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/row.go b/vendor/github.com/gobwas/glob/match/row.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/segments.go b/vendor/github.com/gobwas/glob/match/segments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/single.go b/vendor/github.com/gobwas/glob/match/single.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/suffix.go b/vendor/github.com/gobwas/glob/match/suffix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/suffix_any.go b/vendor/github.com/gobwas/glob/match/suffix_any.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/super.go b/vendor/github.com/gobwas/glob/match/super.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/match/text.go b/vendor/github.com/gobwas/glob/match/text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/readme.md b/vendor/github.com/gobwas/glob/readme.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/syntax/ast/ast.go b/vendor/github.com/gobwas/glob/syntax/ast/ast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/syntax/ast/parser.go b/vendor/github.com/gobwas/glob/syntax/ast/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/syntax/lexer/lexer.go b/vendor/github.com/gobwas/glob/syntax/lexer/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/syntax/lexer/token.go b/vendor/github.com/gobwas/glob/syntax/lexer/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/syntax/syntax.go b/vendor/github.com/gobwas/glob/syntax/syntax.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/util/runes/runes.go b/vendor/github.com/gobwas/glob/util/runes/runes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gobwas/glob/util/strings/strings.go b/vendor/github.com/gobwas/glob/util/strings/strings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/2022.go b/vendor/github.com/gogs/chardet/2022.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/AUTHORS b/vendor/github.com/gogs/chardet/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/LICENSE b/vendor/github.com/gogs/chardet/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/README.md b/vendor/github.com/gogs/chardet/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/detector.go b/vendor/github.com/gogs/chardet/detector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/go.mod b/vendor/github.com/gogs/chardet/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/icu-license.html b/vendor/github.com/gogs/chardet/icu-license.html old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/multi_byte.go b/vendor/github.com/gogs/chardet/multi_byte.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/recognizer.go b/vendor/github.com/gogs/chardet/recognizer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/single_byte.go b/vendor/github.com/gogs/chardet/single_byte.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/unicode.go b/vendor/github.com/gogs/chardet/unicode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/chardet/utf8.go b/vendor/github.com/gogs/chardet/utf8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/.gitignore b/vendor/github.com/gogs/cron/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/.travis.yml b/vendor/github.com/gogs/cron/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/LICENSE b/vendor/github.com/gogs/cron/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/README.md b/vendor/github.com/gogs/cron/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/constantdelay.go b/vendor/github.com/gogs/cron/constantdelay.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/cron.go b/vendor/github.com/gogs/cron/cron.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/doc.go b/vendor/github.com/gogs/cron/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/parser.go b/vendor/github.com/gogs/cron/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gogs/cron/spec.go b/vendor/github.com/gogs/cron/spec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang-sql/civil/CONTRIBUTING.md b/vendor/github.com/golang-sql/civil/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang-sql/civil/LICENSE b/vendor/github.com/golang-sql/civil/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang-sql/civil/README.md b/vendor/github.com/golang-sql/civil/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang-sql/civil/civil.go b/vendor/github.com/golang-sql/civil/civil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/groupcache/LICENSE b/vendor/github.com/golang/groupcache/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/groupcache/lru/lru.go b/vendor/github.com/golang/groupcache/lru/lru.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/AUTHORS b/vendor/github.com/golang/protobuf/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/CONTRIBUTORS b/vendor/github.com/golang/protobuf/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/LICENSE b/vendor/github.com/golang/protobuf/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/buffer.go b/vendor/github.com/golang/protobuf/proto/buffer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/defaults.go b/vendor/github.com/golang/protobuf/proto/defaults.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/deprecated.go b/vendor/github.com/golang/protobuf/proto/deprecated.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/discard.go b/vendor/github.com/golang/protobuf/proto/discard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/extensions.go b/vendor/github.com/golang/protobuf/proto/extensions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/properties.go b/vendor/github.com/golang/protobuf/proto/properties.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/proto.go b/vendor/github.com/golang/protobuf/proto/proto.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/registry.go b/vendor/github.com/golang/protobuf/proto/registry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/text_decode.go b/vendor/github.com/golang/protobuf/proto/text_decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/text_encode.go b/vendor/github.com/golang/protobuf/proto/text_encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/wire.go b/vendor/github.com/golang/protobuf/proto/wire.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/proto/wrappers.go b/vendor/github.com/golang/protobuf/proto/wrappers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/protoc-gen-go/descriptor/descriptor.pb.go b/vendor/github.com/golang/protobuf/protoc-gen-go/descriptor/descriptor.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/any.go b/vendor/github.com/golang/protobuf/ptypes/any.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/any/any.pb.go b/vendor/github.com/golang/protobuf/ptypes/any/any.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/doc.go b/vendor/github.com/golang/protobuf/ptypes/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/duration.go b/vendor/github.com/golang/protobuf/ptypes/duration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/duration/duration.pb.go b/vendor/github.com/golang/protobuf/ptypes/duration/duration.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/empty/empty.pb.go b/vendor/github.com/golang/protobuf/ptypes/empty/empty.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/timestamp.go b/vendor/github.com/golang/protobuf/ptypes/timestamp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/protobuf/ptypes/timestamp/timestamp.pb.go b/vendor/github.com/golang/protobuf/ptypes/timestamp/timestamp.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/.gitignore b/vendor/github.com/golang/snappy/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/AUTHORS b/vendor/github.com/golang/snappy/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/CONTRIBUTORS b/vendor/github.com/golang/snappy/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/LICENSE b/vendor/github.com/golang/snappy/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/README b/vendor/github.com/golang/snappy/README old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/decode.go b/vendor/github.com/golang/snappy/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/decode_amd64.go b/vendor/github.com/golang/snappy/decode_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/decode_amd64.s b/vendor/github.com/golang/snappy/decode_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/decode_other.go b/vendor/github.com/golang/snappy/decode_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/encode.go b/vendor/github.com/golang/snappy/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/encode_amd64.go b/vendor/github.com/golang/snappy/encode_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/encode_amd64.s b/vendor/github.com/golang/snappy/encode_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/encode_other.go b/vendor/github.com/golang/snappy/encode_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/go.mod b/vendor/github.com/golang/snappy/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/golang/snappy/snappy.go b/vendor/github.com/golang/snappy/snappy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/LICENSE b/vendor/github.com/gomodule/redigo/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/internal/commandinfo.go b/vendor/github.com/gomodule/redigo/internal/commandinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/conn.go b/vendor/github.com/gomodule/redigo/redis/conn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/doc.go b/vendor/github.com/gomodule/redigo/redis/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/go16.go b/vendor/github.com/gomodule/redigo/redis/go16.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/go17.go b/vendor/github.com/gomodule/redigo/redis/go17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/go18.go b/vendor/github.com/gomodule/redigo/redis/go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/log.go b/vendor/github.com/gomodule/redigo/redis/log.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/pool.go b/vendor/github.com/gomodule/redigo/redis/pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/pool17.go b/vendor/github.com/gomodule/redigo/redis/pool17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/pubsub.go b/vendor/github.com/gomodule/redigo/redis/pubsub.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/redis.go b/vendor/github.com/gomodule/redigo/redis/redis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/reply.go b/vendor/github.com/gomodule/redigo/redis/reply.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/scan.go b/vendor/github.com/gomodule/redigo/redis/scan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gomodule/redigo/redis/script.go b/vendor/github.com/gomodule/redigo/redis/script.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/AUTHORS b/vendor/github.com/google/go-github/v24/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/LICENSE b/vendor/github.com/google/go-github/v24/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/activity.go b/vendor/github.com/google/go-github/v24/github/activity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/activity_events.go b/vendor/github.com/google/go-github/v24/github/activity_events.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/activity_notifications.go b/vendor/github.com/google/go-github/v24/github/activity_notifications.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/activity_star.go b/vendor/github.com/google/go-github/v24/github/activity_star.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/activity_watching.go b/vendor/github.com/google/go-github/v24/github/activity_watching.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/admin.go b/vendor/github.com/google/go-github/v24/github/admin.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/admin_stats.go b/vendor/github.com/google/go-github/v24/github/admin_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/apps.go b/vendor/github.com/google/go-github/v24/github/apps.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/apps_installation.go b/vendor/github.com/google/go-github/v24/github/apps_installation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/apps_marketplace.go b/vendor/github.com/google/go-github/v24/github/apps_marketplace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/authorizations.go b/vendor/github.com/google/go-github/v24/github/authorizations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/checks.go b/vendor/github.com/google/go-github/v24/github/checks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/doc.go b/vendor/github.com/google/go-github/v24/github/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/event.go b/vendor/github.com/google/go-github/v24/github/event.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/event_types.go b/vendor/github.com/google/go-github/v24/github/event_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/gists.go b/vendor/github.com/google/go-github/v24/github/gists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/gists_comments.go b/vendor/github.com/google/go-github/v24/github/gists_comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git.go b/vendor/github.com/google/go-github/v24/github/git.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git_blobs.go b/vendor/github.com/google/go-github/v24/github/git_blobs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git_commits.go b/vendor/github.com/google/go-github/v24/github/git_commits.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git_refs.go b/vendor/github.com/google/go-github/v24/github/git_refs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git_tags.go b/vendor/github.com/google/go-github/v24/github/git_tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/git_trees.go b/vendor/github.com/google/go-github/v24/github/git_trees.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/github-accessors.go b/vendor/github.com/google/go-github/v24/github/github-accessors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/github.go b/vendor/github.com/google/go-github/v24/github/github.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/gitignore.go b/vendor/github.com/google/go-github/v24/github/gitignore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/interactions.go b/vendor/github.com/google/go-github/v24/github/interactions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/interactions_orgs.go b/vendor/github.com/google/go-github/v24/github/interactions_orgs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/interactions_repos.go b/vendor/github.com/google/go-github/v24/github/interactions_repos.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues.go b/vendor/github.com/google/go-github/v24/github/issues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_assignees.go b/vendor/github.com/google/go-github/v24/github/issues_assignees.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_comments.go b/vendor/github.com/google/go-github/v24/github/issues_comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_events.go b/vendor/github.com/google/go-github/v24/github/issues_events.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_labels.go b/vendor/github.com/google/go-github/v24/github/issues_labels.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_milestones.go b/vendor/github.com/google/go-github/v24/github/issues_milestones.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/issues_timeline.go b/vendor/github.com/google/go-github/v24/github/issues_timeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/licenses.go b/vendor/github.com/google/go-github/v24/github/licenses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/messages.go b/vendor/github.com/google/go-github/v24/github/messages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/migrations.go b/vendor/github.com/google/go-github/v24/github/migrations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/migrations_source_import.go b/vendor/github.com/google/go-github/v24/github/migrations_source_import.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/migrations_user.go b/vendor/github.com/google/go-github/v24/github/migrations_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/misc.go b/vendor/github.com/google/go-github/v24/github/misc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs.go b/vendor/github.com/google/go-github/v24/github/orgs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs_hooks.go b/vendor/github.com/google/go-github/v24/github/orgs_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs_members.go b/vendor/github.com/google/go-github/v24/github/orgs_members.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs_outside_collaborators.go b/vendor/github.com/google/go-github/v24/github/orgs_outside_collaborators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs_projects.go b/vendor/github.com/google/go-github/v24/github/orgs_projects.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/orgs_users_blocking.go b/vendor/github.com/google/go-github/v24/github/orgs_users_blocking.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/projects.go b/vendor/github.com/google/go-github/v24/github/projects.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/pulls.go b/vendor/github.com/google/go-github/v24/github/pulls.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/pulls_comments.go b/vendor/github.com/google/go-github/v24/github/pulls_comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/pulls_reviewers.go b/vendor/github.com/google/go-github/v24/github/pulls_reviewers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/pulls_reviews.go b/vendor/github.com/google/go-github/v24/github/pulls_reviews.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/reactions.go b/vendor/github.com/google/go-github/v24/github/reactions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos.go b/vendor/github.com/google/go-github/v24/github/repos.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_collaborators.go b/vendor/github.com/google/go-github/v24/github/repos_collaborators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_comments.go b/vendor/github.com/google/go-github/v24/github/repos_comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_commits.go b/vendor/github.com/google/go-github/v24/github/repos_commits.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_community_health.go b/vendor/github.com/google/go-github/v24/github/repos_community_health.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_contents.go b/vendor/github.com/google/go-github/v24/github/repos_contents.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_deployments.go b/vendor/github.com/google/go-github/v24/github/repos_deployments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_forks.go b/vendor/github.com/google/go-github/v24/github/repos_forks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_hooks.go b/vendor/github.com/google/go-github/v24/github/repos_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_invitations.go b/vendor/github.com/google/go-github/v24/github/repos_invitations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_keys.go b/vendor/github.com/google/go-github/v24/github/repos_keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_merging.go b/vendor/github.com/google/go-github/v24/github/repos_merging.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_pages.go b/vendor/github.com/google/go-github/v24/github/repos_pages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_prereceive_hooks.go b/vendor/github.com/google/go-github/v24/github/repos_prereceive_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_projects.go b/vendor/github.com/google/go-github/v24/github/repos_projects.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_releases.go b/vendor/github.com/google/go-github/v24/github/repos_releases.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_stats.go b/vendor/github.com/google/go-github/v24/github/repos_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_statuses.go b/vendor/github.com/google/go-github/v24/github/repos_statuses.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/repos_traffic.go b/vendor/github.com/google/go-github/v24/github/repos_traffic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/search.go b/vendor/github.com/google/go-github/v24/github/search.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/strings.go b/vendor/github.com/google/go-github/v24/github/strings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/teams.go b/vendor/github.com/google/go-github/v24/github/teams.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/teams_discussion_comments.go b/vendor/github.com/google/go-github/v24/github/teams_discussion_comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/teams_discussions.go b/vendor/github.com/google/go-github/v24/github/teams_discussions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/teams_members.go b/vendor/github.com/google/go-github/v24/github/teams_members.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/timestamp.go b/vendor/github.com/google/go-github/v24/github/timestamp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users.go b/vendor/github.com/google/go-github/v24/github/users.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_administration.go b/vendor/github.com/google/go-github/v24/github/users_administration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_blocking.go b/vendor/github.com/google/go-github/v24/github/users_blocking.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_emails.go b/vendor/github.com/google/go-github/v24/github/users_emails.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_followers.go b/vendor/github.com/google/go-github/v24/github/users_followers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_gpg_keys.go b/vendor/github.com/google/go-github/v24/github/users_gpg_keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/users_keys.go b/vendor/github.com/google/go-github/v24/github/users_keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/with_appengine.go b/vendor/github.com/google/go-github/v24/github/with_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-github/v24/github/without_appengine.go b/vendor/github.com/google/go-github/v24/github/without_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-querystring/LICENSE b/vendor/github.com/google/go-querystring/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/go-querystring/query/encode.go b/vendor/github.com/google/go-querystring/query/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/.travis.yml b/vendor/github.com/google/uuid/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/CONTRIBUTING.md b/vendor/github.com/google/uuid/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/CONTRIBUTORS b/vendor/github.com/google/uuid/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/LICENSE b/vendor/github.com/google/uuid/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/README.md b/vendor/github.com/google/uuid/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/dce.go b/vendor/github.com/google/uuid/dce.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/doc.go b/vendor/github.com/google/uuid/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/go.mod b/vendor/github.com/google/uuid/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/hash.go b/vendor/github.com/google/uuid/hash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/marshal.go b/vendor/github.com/google/uuid/marshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/node.go b/vendor/github.com/google/uuid/node.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/node_js.go b/vendor/github.com/google/uuid/node_js.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/node_net.go b/vendor/github.com/google/uuid/node_net.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/sql.go b/vendor/github.com/google/uuid/sql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/time.go b/vendor/github.com/google/uuid/time.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/util.go b/vendor/github.com/google/uuid/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/uuid.go b/vendor/github.com/google/uuid/uuid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/version1.go b/vendor/github.com/google/uuid/version1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/google/uuid/version4.go b/vendor/github.com/google/uuid/version4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/LICENSE b/vendor/github.com/googleapis/gax-go/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/call_option.go b/vendor/github.com/googleapis/gax-go/v2/call_option.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/gax.go b/vendor/github.com/googleapis/gax-go/v2/gax.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/go.mod b/vendor/github.com/googleapis/gax-go/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/go.sum b/vendor/github.com/googleapis/gax-go/v2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/header.go b/vendor/github.com/googleapis/gax-go/v2/header.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/googleapis/gax-go/v2/invoke.go b/vendor/github.com/googleapis/gax-go/v2/invoke.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/context/.travis.yml b/vendor/github.com/gorilla/context/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/context/LICENSE b/vendor/github.com/gorilla/context/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/context/README.md b/vendor/github.com/gorilla/context/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/context/context.go b/vendor/github.com/gorilla/context/context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/context/doc.go b/vendor/github.com/gorilla/context/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/css/LICENSE b/vendor/github.com/gorilla/css/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/css/scanner/doc.go b/vendor/github.com/gorilla/css/scanner/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/css/scanner/scanner.go b/vendor/github.com/gorilla/css/scanner/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/LICENSE b/vendor/github.com/gorilla/handlers/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/README.md b/vendor/github.com/gorilla/handlers/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/canonical.go b/vendor/github.com/gorilla/handlers/canonical.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/compress.go b/vendor/github.com/gorilla/handlers/compress.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/cors.go b/vendor/github.com/gorilla/handlers/cors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/doc.go b/vendor/github.com/gorilla/handlers/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/go.mod b/vendor/github.com/gorilla/handlers/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/handlers.go b/vendor/github.com/gorilla/handlers/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/handlers_go18.go b/vendor/github.com/gorilla/handlers/handlers_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/handlers_pre18.go b/vendor/github.com/gorilla/handlers/handlers_pre18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/logging.go b/vendor/github.com/gorilla/handlers/logging.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/proxy_headers.go b/vendor/github.com/gorilla/handlers/proxy_headers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/handlers/recovery.go b/vendor/github.com/gorilla/handlers/recovery.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/.travis.yml b/vendor/github.com/gorilla/mux/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/ISSUE_TEMPLATE.md b/vendor/github.com/gorilla/mux/ISSUE_TEMPLATE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/LICENSE b/vendor/github.com/gorilla/mux/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/README.md b/vendor/github.com/gorilla/mux/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/context_gorilla.go b/vendor/github.com/gorilla/mux/context_gorilla.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/context_native.go b/vendor/github.com/gorilla/mux/context_native.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/doc.go b/vendor/github.com/gorilla/mux/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/middleware.go b/vendor/github.com/gorilla/mux/middleware.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/mux.go b/vendor/github.com/gorilla/mux/mux.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/regexp.go b/vendor/github.com/gorilla/mux/regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/route.go b/vendor/github.com/gorilla/mux/route.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/mux/test_helpers.go b/vendor/github.com/gorilla/mux/test_helpers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/.travis.yml b/vendor/github.com/gorilla/securecookie/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/LICENSE b/vendor/github.com/gorilla/securecookie/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/README.md b/vendor/github.com/gorilla/securecookie/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/doc.go b/vendor/github.com/gorilla/securecookie/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/fuzz.go b/vendor/github.com/gorilla/securecookie/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/securecookie/securecookie.go b/vendor/github.com/gorilla/securecookie/securecookie.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/AUTHORS b/vendor/github.com/gorilla/sessions/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/LICENSE b/vendor/github.com/gorilla/sessions/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/README.md b/vendor/github.com/gorilla/sessions/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/cookie.go b/vendor/github.com/gorilla/sessions/cookie.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/cookie_go111.go b/vendor/github.com/gorilla/sessions/cookie_go111.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/doc.go b/vendor/github.com/gorilla/sessions/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/go.mod b/vendor/github.com/gorilla/sessions/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/go.sum b/vendor/github.com/gorilla/sessions/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/lex.go b/vendor/github.com/gorilla/sessions/lex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/options.go b/vendor/github.com/gorilla/sessions/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/options_go111.go b/vendor/github.com/gorilla/sessions/options_go111.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/sessions.go b/vendor/github.com/gorilla/sessions/sessions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/sessions/store.go b/vendor/github.com/gorilla/sessions/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/.gitignore b/vendor/github.com/gorilla/websocket/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/.travis.yml b/vendor/github.com/gorilla/websocket/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/AUTHORS b/vendor/github.com/gorilla/websocket/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/LICENSE b/vendor/github.com/gorilla/websocket/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/README.md b/vendor/github.com/gorilla/websocket/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/client.go b/vendor/github.com/gorilla/websocket/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/client_clone.go b/vendor/github.com/gorilla/websocket/client_clone.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/client_clone_legacy.go b/vendor/github.com/gorilla/websocket/client_clone_legacy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/compression.go b/vendor/github.com/gorilla/websocket/compression.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/conn.go b/vendor/github.com/gorilla/websocket/conn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/conn_write.go b/vendor/github.com/gorilla/websocket/conn_write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/conn_write_legacy.go b/vendor/github.com/gorilla/websocket/conn_write_legacy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/doc.go b/vendor/github.com/gorilla/websocket/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/json.go b/vendor/github.com/gorilla/websocket/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/mask.go b/vendor/github.com/gorilla/websocket/mask.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/mask_safe.go b/vendor/github.com/gorilla/websocket/mask_safe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/prepared.go b/vendor/github.com/gorilla/websocket/prepared.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/proxy.go b/vendor/github.com/gorilla/websocket/proxy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/server.go b/vendor/github.com/gorilla/websocket/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/trace.go b/vendor/github.com/gorilla/websocket/trace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/trace_17.go b/vendor/github.com/gorilla/websocket/trace_17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/util.go b/vendor/github.com/gorilla/websocket/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/gorilla/websocket/x_net_proxy.go b/vendor/github.com/gorilla/websocket/x_net_proxy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/LICENSE b/vendor/github.com/hashicorp/go-cleanhttp/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/README.md b/vendor/github.com/hashicorp/go-cleanhttp/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/cleanhttp.go b/vendor/github.com/hashicorp/go-cleanhttp/cleanhttp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/doc.go b/vendor/github.com/hashicorp/go-cleanhttp/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/go.mod b/vendor/github.com/hashicorp/go-cleanhttp/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-cleanhttp/handlers.go b/vendor/github.com/hashicorp/go-cleanhttp/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/.gitignore b/vendor/github.com/hashicorp/go-retryablehttp/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/.travis.yml b/vendor/github.com/hashicorp/go-retryablehttp/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/LICENSE b/vendor/github.com/hashicorp/go-retryablehttp/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/Makefile b/vendor/github.com/hashicorp/go-retryablehttp/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/README.md b/vendor/github.com/hashicorp/go-retryablehttp/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/client.go b/vendor/github.com/hashicorp/go-retryablehttp/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/go.mod b/vendor/github.com/hashicorp/go-retryablehttp/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/go.sum b/vendor/github.com/hashicorp/go-retryablehttp/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/go-retryablehttp/roundtripper.go b/vendor/github.com/hashicorp/go-retryablehttp/roundtripper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/.gitignore b/vendor/github.com/hashicorp/hcl/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/.travis.yml b/vendor/github.com/hashicorp/hcl/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/LICENSE b/vendor/github.com/hashicorp/hcl/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/Makefile b/vendor/github.com/hashicorp/hcl/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/README.md b/vendor/github.com/hashicorp/hcl/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/appveyor.yml b/vendor/github.com/hashicorp/hcl/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/decoder.go b/vendor/github.com/hashicorp/hcl/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/go.mod b/vendor/github.com/hashicorp/hcl/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/go.sum b/vendor/github.com/hashicorp/hcl/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl.go b/vendor/github.com/hashicorp/hcl/hcl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/ast/ast.go b/vendor/github.com/hashicorp/hcl/hcl/ast/ast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/ast/walk.go b/vendor/github.com/hashicorp/hcl/hcl/ast/walk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/parser/error.go b/vendor/github.com/hashicorp/hcl/hcl/parser/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/parser/parser.go b/vendor/github.com/hashicorp/hcl/hcl/parser/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/printer/nodes.go b/vendor/github.com/hashicorp/hcl/hcl/printer/nodes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/printer/printer.go b/vendor/github.com/hashicorp/hcl/hcl/printer/printer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/scanner/scanner.go b/vendor/github.com/hashicorp/hcl/hcl/scanner/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/strconv/quote.go b/vendor/github.com/hashicorp/hcl/hcl/strconv/quote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/token/position.go b/vendor/github.com/hashicorp/hcl/hcl/token/position.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/hcl/token/token.go b/vendor/github.com/hashicorp/hcl/hcl/token/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/json/parser/flatten.go b/vendor/github.com/hashicorp/hcl/json/parser/flatten.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/json/parser/parser.go b/vendor/github.com/hashicorp/hcl/json/parser/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/json/scanner/scanner.go b/vendor/github.com/hashicorp/hcl/json/scanner/scanner.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/json/token/position.go b/vendor/github.com/hashicorp/hcl/json/token/position.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/json/token/token.go b/vendor/github.com/hashicorp/hcl/json/token/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/lex.go b/vendor/github.com/hashicorp/hcl/lex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/hashicorp/hcl/parse.go b/vendor/github.com/hashicorp/hcl/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/.gitignore b/vendor/github.com/huandu/xstrings/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/.travis.yml b/vendor/github.com/huandu/xstrings/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/CONTRIBUTING.md b/vendor/github.com/huandu/xstrings/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/LICENSE b/vendor/github.com/huandu/xstrings/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/README.md b/vendor/github.com/huandu/xstrings/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/common.go b/vendor/github.com/huandu/xstrings/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/convert.go b/vendor/github.com/huandu/xstrings/convert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/count.go b/vendor/github.com/huandu/xstrings/count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/doc.go b/vendor/github.com/huandu/xstrings/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/format.go b/vendor/github.com/huandu/xstrings/format.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/go.mod b/vendor/github.com/huandu/xstrings/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/manipulate.go b/vendor/github.com/huandu/xstrings/manipulate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/huandu/xstrings/translate.go b/vendor/github.com/huandu/xstrings/translate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/.gitignore b/vendor/github.com/issue9/identicon/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/.travis.yml b/vendor/github.com/issue9/identicon/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/LICENSE b/vendor/github.com/issue9/identicon/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/README.md b/vendor/github.com/issue9/identicon/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/block.go b/vendor/github.com/issue9/identicon/block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/doc.go b/vendor/github.com/issue9/identicon/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/go.mod b/vendor/github.com/issue9/identicon/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/go.sum b/vendor/github.com/issue9/identicon/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/identicon.go b/vendor/github.com/issue9/identicon/identicon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/issue9/identicon/polygon.go b/vendor/github.com/issue9/identicon/polygon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jaytaylor/html2text/.gitignore b/vendor/github.com/jaytaylor/html2text/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/jaytaylor/html2text/.travis.yml b/vendor/github.com/jaytaylor/html2text/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/jaytaylor/html2text/LICENSE b/vendor/github.com/jaytaylor/html2text/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/jaytaylor/html2text/README.md b/vendor/github.com/jaytaylor/html2text/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/jaytaylor/html2text/html2text.go b/vendor/github.com/jaytaylor/html2text/html2text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jbenet/go-context/LICENSE b/vendor/github.com/jbenet/go-context/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/jbenet/go-context/io/ctxio.go b/vendor/github.com/jbenet/go-context/io/ctxio.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/.travis.yml b/vendor/github.com/jessevdk/go-flags/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/LICENSE b/vendor/github.com/jessevdk/go-flags/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/README.md b/vendor/github.com/jessevdk/go-flags/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/arg.go b/vendor/github.com/jessevdk/go-flags/arg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/check_crosscompile.sh b/vendor/github.com/jessevdk/go-flags/check_crosscompile.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/closest.go b/vendor/github.com/jessevdk/go-flags/closest.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/command.go b/vendor/github.com/jessevdk/go-flags/command.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/completion.go b/vendor/github.com/jessevdk/go-flags/completion.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/convert.go b/vendor/github.com/jessevdk/go-flags/convert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/error.go b/vendor/github.com/jessevdk/go-flags/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/flags.go b/vendor/github.com/jessevdk/go-flags/flags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/group.go b/vendor/github.com/jessevdk/go-flags/group.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/help.go b/vendor/github.com/jessevdk/go-flags/help.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/ini.go b/vendor/github.com/jessevdk/go-flags/ini.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/man.go b/vendor/github.com/jessevdk/go-flags/man.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/multitag.go b/vendor/github.com/jessevdk/go-flags/multitag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/option.go b/vendor/github.com/jessevdk/go-flags/option.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/optstyle_other.go b/vendor/github.com/jessevdk/go-flags/optstyle_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/optstyle_windows.go b/vendor/github.com/jessevdk/go-flags/optstyle_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/parser.go b/vendor/github.com/jessevdk/go-flags/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/termsize.go b/vendor/github.com/jessevdk/go-flags/termsize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/termsize_nosysioctl.go b/vendor/github.com/jessevdk/go-flags/termsize_nosysioctl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/tiocgwinsz_bsdish.go b/vendor/github.com/jessevdk/go-flags/tiocgwinsz_bsdish.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/tiocgwinsz_linux.go b/vendor/github.com/jessevdk/go-flags/tiocgwinsz_linux.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jessevdk/go-flags/tiocgwinsz_other.go b/vendor/github.com/jessevdk/go-flags/tiocgwinsz_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/.gitignore b/vendor/github.com/jmespath/go-jmespath/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/.travis.yml b/vendor/github.com/jmespath/go-jmespath/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/LICENSE b/vendor/github.com/jmespath/go-jmespath/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/Makefile b/vendor/github.com/jmespath/go-jmespath/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/README.md b/vendor/github.com/jmespath/go-jmespath/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/api.go b/vendor/github.com/jmespath/go-jmespath/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/astnodetype_string.go b/vendor/github.com/jmespath/go-jmespath/astnodetype_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/functions.go b/vendor/github.com/jmespath/go-jmespath/functions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/interpreter.go b/vendor/github.com/jmespath/go-jmespath/interpreter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/lexer.go b/vendor/github.com/jmespath/go-jmespath/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/parser.go b/vendor/github.com/jmespath/go-jmespath/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/toktype_string.go b/vendor/github.com/jmespath/go-jmespath/toktype_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/jmespath/go-jmespath/util.go b/vendor/github.com/jmespath/go-jmespath/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/.codecov.yml b/vendor/github.com/json-iterator/go/.codecov.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/.gitignore b/vendor/github.com/json-iterator/go/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/.travis.yml b/vendor/github.com/json-iterator/go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/Gopkg.lock b/vendor/github.com/json-iterator/go/Gopkg.lock old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/Gopkg.toml b/vendor/github.com/json-iterator/go/Gopkg.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/LICENSE b/vendor/github.com/json-iterator/go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/README.md b/vendor/github.com/json-iterator/go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/adapter.go b/vendor/github.com/json-iterator/go/adapter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any.go b/vendor/github.com/json-iterator/go/any.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_array.go b/vendor/github.com/json-iterator/go/any_array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_bool.go b/vendor/github.com/json-iterator/go/any_bool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_float.go b/vendor/github.com/json-iterator/go/any_float.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_int32.go b/vendor/github.com/json-iterator/go/any_int32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_int64.go b/vendor/github.com/json-iterator/go/any_int64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_invalid.go b/vendor/github.com/json-iterator/go/any_invalid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_nil.go b/vendor/github.com/json-iterator/go/any_nil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_number.go b/vendor/github.com/json-iterator/go/any_number.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_object.go b/vendor/github.com/json-iterator/go/any_object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_str.go b/vendor/github.com/json-iterator/go/any_str.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_uint32.go b/vendor/github.com/json-iterator/go/any_uint32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/any_uint64.go b/vendor/github.com/json-iterator/go/any_uint64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/build.sh b/vendor/github.com/json-iterator/go/build.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/config.go b/vendor/github.com/json-iterator/go/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/fuzzy_mode_convert_table.md b/vendor/github.com/json-iterator/go/fuzzy_mode_convert_table.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/go.mod b/vendor/github.com/json-iterator/go/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/go.sum b/vendor/github.com/json-iterator/go/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter.go b/vendor/github.com/json-iterator/go/iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_array.go b/vendor/github.com/json-iterator/go/iter_array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_float.go b/vendor/github.com/json-iterator/go/iter_float.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_int.go b/vendor/github.com/json-iterator/go/iter_int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_object.go b/vendor/github.com/json-iterator/go/iter_object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_skip.go b/vendor/github.com/json-iterator/go/iter_skip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_skip_sloppy.go b/vendor/github.com/json-iterator/go/iter_skip_sloppy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_skip_strict.go b/vendor/github.com/json-iterator/go/iter_skip_strict.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/iter_str.go b/vendor/github.com/json-iterator/go/iter_str.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/jsoniter.go b/vendor/github.com/json-iterator/go/jsoniter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/pool.go b/vendor/github.com/json-iterator/go/pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect.go b/vendor/github.com/json-iterator/go/reflect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_array.go b/vendor/github.com/json-iterator/go/reflect_array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_dynamic.go b/vendor/github.com/json-iterator/go/reflect_dynamic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_extension.go b/vendor/github.com/json-iterator/go/reflect_extension.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_json_number.go b/vendor/github.com/json-iterator/go/reflect_json_number.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_json_raw_message.go b/vendor/github.com/json-iterator/go/reflect_json_raw_message.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_map.go b/vendor/github.com/json-iterator/go/reflect_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_marshaler.go b/vendor/github.com/json-iterator/go/reflect_marshaler.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_native.go b/vendor/github.com/json-iterator/go/reflect_native.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_optional.go b/vendor/github.com/json-iterator/go/reflect_optional.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_slice.go b/vendor/github.com/json-iterator/go/reflect_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_struct_decoder.go b/vendor/github.com/json-iterator/go/reflect_struct_decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/reflect_struct_encoder.go b/vendor/github.com/json-iterator/go/reflect_struct_encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/stream.go b/vendor/github.com/json-iterator/go/stream.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/stream_float.go b/vendor/github.com/json-iterator/go/stream_float.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/stream_int.go b/vendor/github.com/json-iterator/go/stream_int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/stream_str.go b/vendor/github.com/json-iterator/go/stream_str.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/json-iterator/go/test.sh b/vendor/github.com/json-iterator/go/test.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/kballard/go-shellquote/LICENSE b/vendor/github.com/kballard/go-shellquote/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/kballard/go-shellquote/README b/vendor/github.com/kballard/go-shellquote/README old mode 100644 new mode 100755 diff --git a/vendor/github.com/kballard/go-shellquote/doc.go b/vendor/github.com/kballard/go-shellquote/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kballard/go-shellquote/quote.go b/vendor/github.com/kballard/go-shellquote/quote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kballard/go-shellquote/unquote.go b/vendor/github.com/kballard/go-shellquote/unquote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/.travis.yml b/vendor/github.com/kelseyhightower/envconfig/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/LICENSE b/vendor/github.com/kelseyhightower/envconfig/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/MAINTAINERS b/vendor/github.com/kelseyhightower/envconfig/MAINTAINERS old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/README.md b/vendor/github.com/kelseyhightower/envconfig/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/doc.go b/vendor/github.com/kelseyhightower/envconfig/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/env_os.go b/vendor/github.com/kelseyhightower/envconfig/env_os.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/env_syscall.go b/vendor/github.com/kelseyhightower/envconfig/env_syscall.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/envconfig.go b/vendor/github.com/kelseyhightower/envconfig/envconfig.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kelseyhightower/envconfig/usage.go b/vendor/github.com/kelseyhightower/envconfig/usage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/.gitattributes b/vendor/github.com/kevinburke/ssh_config/.gitattributes old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/.gitignore b/vendor/github.com/kevinburke/ssh_config/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/.mailmap b/vendor/github.com/kevinburke/ssh_config/.mailmap old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/.travis.yml b/vendor/github.com/kevinburke/ssh_config/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/AUTHORS.txt b/vendor/github.com/kevinburke/ssh_config/AUTHORS.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/LICENSE b/vendor/github.com/kevinburke/ssh_config/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/Makefile b/vendor/github.com/kevinburke/ssh_config/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/README.md b/vendor/github.com/kevinburke/ssh_config/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/config.go b/vendor/github.com/kevinburke/ssh_config/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/lexer.go b/vendor/github.com/kevinburke/ssh_config/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/parser.go b/vendor/github.com/kevinburke/ssh_config/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/position.go b/vendor/github.com/kevinburke/ssh_config/position.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/token.go b/vendor/github.com/kevinburke/ssh_config/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kevinburke/ssh_config/validators.go b/vendor/github.com/kevinburke/ssh_config/validators.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/AUTHORS b/vendor/github.com/keybase/go-crypto/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/CONTRIBUTORS b/vendor/github.com/keybase/go-crypto/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/LICENSE b/vendor/github.com/keybase/go-crypto/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/PATENTS b/vendor/github.com/keybase/go-crypto/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/brainpool/brainpool.go b/vendor/github.com/keybase/go-crypto/brainpool/brainpool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/brainpool/rcurve.go b/vendor/github.com/keybase/go-crypto/brainpool/rcurve.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/cast5/cast5.go b/vendor/github.com/keybase/go-crypto/cast5/cast5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/const_amd64.h b/vendor/github.com/keybase/go-crypto/curve25519/const_amd64.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/const_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/const_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/cswap_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/cswap_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/curve25519.go b/vendor/github.com/keybase/go-crypto/curve25519/curve25519.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/curve_impl.go b/vendor/github.com/keybase/go-crypto/curve25519/curve_impl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/doc.go b/vendor/github.com/keybase/go-crypto/curve25519/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/freeze_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/freeze_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/ladderstep_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/ladderstep_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/mont25519_amd64.go b/vendor/github.com/keybase/go-crypto/curve25519/mont25519_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/mul_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/mul_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/curve25519/square_amd64.s b/vendor/github.com/keybase/go-crypto/curve25519/square_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/ed25519/ed25519.go b/vendor/github.com/keybase/go-crypto/ed25519/ed25519.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/const.go b/vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/const.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/edwards25519.go b/vendor/github.com/keybase/go-crypto/ed25519/internal/edwards25519/edwards25519.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/armor/armor.go b/vendor/github.com/keybase/go-crypto/openpgp/armor/armor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/armor/encode.go b/vendor/github.com/keybase/go-crypto/openpgp/armor/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/canonical_text.go b/vendor/github.com/keybase/go-crypto/openpgp/canonical_text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/ecdh/ecdh.go b/vendor/github.com/keybase/go-crypto/openpgp/ecdh/ecdh.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/elgamal/elgamal.go b/vendor/github.com/keybase/go-crypto/openpgp/elgamal/elgamal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/errors/errors.go b/vendor/github.com/keybase/go-crypto/openpgp/errors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/keys.go b/vendor/github.com/keybase/go-crypto/openpgp/keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/compressed.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/compressed.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/config.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/ecdh.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/ecdh.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/encrypted_key.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/encrypted_key.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/literal.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/literal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/ocfb.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/ocfb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/one_pass_signature.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/one_pass_signature.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/opaque.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/opaque.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/packet.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/packet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/private_key.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/private_key.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/public_key.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/public_key.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/public_key_v3.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/public_key_v3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/reader.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/signature.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/signature.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/signature_v3.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/signature_v3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/symmetric_key_encrypted.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/symmetric_key_encrypted.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/symmetrically_encrypted.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/symmetrically_encrypted.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/userattribute.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/userattribute.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/packet/userid.go b/vendor/github.com/keybase/go-crypto/openpgp/packet/userid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/patch.sh b/vendor/github.com/keybase/go-crypto/openpgp/patch.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/read.go b/vendor/github.com/keybase/go-crypto/openpgp/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/s2k/s2k.go b/vendor/github.com/keybase/go-crypto/openpgp/s2k/s2k.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/sig-v3.patch b/vendor/github.com/keybase/go-crypto/openpgp/sig-v3.patch old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/openpgp/write.go b/vendor/github.com/keybase/go-crypto/openpgp/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/rsa/pkcs1v15.go b/vendor/github.com/keybase/go-crypto/rsa/pkcs1v15.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/rsa/pss.go b/vendor/github.com/keybase/go-crypto/rsa/pss.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/keybase/go-crypto/rsa/rsa.go b/vendor/github.com/keybase/go-crypto/rsa/rsa.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/LICENSE b/vendor/github.com/klauspost/compress/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/deflate.go b/vendor/github.com/klauspost/compress/flate/deflate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/dict_decoder.go b/vendor/github.com/klauspost/compress/flate/dict_decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/fast_encoder.go b/vendor/github.com/klauspost/compress/flate/fast_encoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/gen_inflate.go b/vendor/github.com/klauspost/compress/flate/gen_inflate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/huffman_bit_writer.go b/vendor/github.com/klauspost/compress/flate/huffman_bit_writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/huffman_code.go b/vendor/github.com/klauspost/compress/flate/huffman_code.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/huffman_sortByFreq.go b/vendor/github.com/klauspost/compress/flate/huffman_sortByFreq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/huffman_sortByLiteral.go b/vendor/github.com/klauspost/compress/flate/huffman_sortByLiteral.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/inflate.go b/vendor/github.com/klauspost/compress/flate/inflate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/inflate_gen.go b/vendor/github.com/klauspost/compress/flate/inflate_gen.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level1.go b/vendor/github.com/klauspost/compress/flate/level1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level2.go b/vendor/github.com/klauspost/compress/flate/level2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level3.go b/vendor/github.com/klauspost/compress/flate/level3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level4.go b/vendor/github.com/klauspost/compress/flate/level4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level5.go b/vendor/github.com/klauspost/compress/flate/level5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/level6.go b/vendor/github.com/klauspost/compress/flate/level6.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/stateless.go b/vendor/github.com/klauspost/compress/flate/stateless.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/flate/token.go b/vendor/github.com/klauspost/compress/flate/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/gzip/gunzip.go b/vendor/github.com/klauspost/compress/gzip/gunzip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/compress/gzip/gzip.go b/vendor/github.com/klauspost/compress/gzip/gzip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/.gitignore b/vendor/github.com/klauspost/cpuid/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/.travis.yml b/vendor/github.com/klauspost/cpuid/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/CONTRIBUTING.txt b/vendor/github.com/klauspost/cpuid/CONTRIBUTING.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/LICENSE b/vendor/github.com/klauspost/cpuid/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/README.md b/vendor/github.com/klauspost/cpuid/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/cpuid.go b/vendor/github.com/klauspost/cpuid/cpuid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/cpuid_386.s b/vendor/github.com/klauspost/cpuid/cpuid_386.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/cpuid_amd64.s b/vendor/github.com/klauspost/cpuid/cpuid_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/detect_intel.go b/vendor/github.com/klauspost/cpuid/detect_intel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/detect_ref.go b/vendor/github.com/klauspost/cpuid/detect_ref.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/klauspost/cpuid/generate.go b/vendor/github.com/klauspost/cpuid/generate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/.gitignore b/vendor/github.com/kr/pretty/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/License b/vendor/github.com/kr/pretty/License old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/Readme b/vendor/github.com/kr/pretty/Readme old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/diff.go b/vendor/github.com/kr/pretty/diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/formatter.go b/vendor/github.com/kr/pretty/formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/go.mod b/vendor/github.com/kr/pretty/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/pretty.go b/vendor/github.com/kr/pretty/pretty.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/pretty/zero.go b/vendor/github.com/kr/pretty/zero.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/License b/vendor/github.com/kr/text/License old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/Readme b/vendor/github.com/kr/text/Readme old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/doc.go b/vendor/github.com/kr/text/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/go.mod b/vendor/github.com/kr/text/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/indent.go b/vendor/github.com/kr/text/indent.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/kr/text/wrap.go b/vendor/github.com/kr/text/wrap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/.gitignore b/vendor/github.com/lafriks/xormstore/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/.travis.yml b/vendor/github.com/lafriks/xormstore/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/LICENSE b/vendor/github.com/lafriks/xormstore/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/README.md b/vendor/github.com/lafriks/xormstore/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/go.mod b/vendor/github.com/lafriks/xormstore/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/go.sum b/vendor/github.com/lafriks/xormstore/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/test b/vendor/github.com/lafriks/xormstore/test old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/util/time_stamp.go b/vendor/github.com/lafriks/xormstore/util/time_stamp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lafriks/xormstore/xormstore.go b/vendor/github.com/lafriks/xormstore/xormstore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/.gitignore b/vendor/github.com/lib/pq/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/.travis.sh b/vendor/github.com/lib/pq/.travis.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/.travis.yml b/vendor/github.com/lib/pq/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/CONTRIBUTING.md b/vendor/github.com/lib/pq/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/LICENSE.md b/vendor/github.com/lib/pq/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/README.md b/vendor/github.com/lib/pq/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/TESTS.md b/vendor/github.com/lib/pq/TESTS.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/array.go b/vendor/github.com/lib/pq/array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/buf.go b/vendor/github.com/lib/pq/buf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/conn.go b/vendor/github.com/lib/pq/conn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/conn_go18.go b/vendor/github.com/lib/pq/conn_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/connector.go b/vendor/github.com/lib/pq/connector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/copy.go b/vendor/github.com/lib/pq/copy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/doc.go b/vendor/github.com/lib/pq/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/encode.go b/vendor/github.com/lib/pq/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/error.go b/vendor/github.com/lib/pq/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/go.mod b/vendor/github.com/lib/pq/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/notify.go b/vendor/github.com/lib/pq/notify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/oid/doc.go b/vendor/github.com/lib/pq/oid/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/oid/types.go b/vendor/github.com/lib/pq/oid/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/rows.go b/vendor/github.com/lib/pq/rows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/scram/scram.go b/vendor/github.com/lib/pq/scram/scram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/ssl.go b/vendor/github.com/lib/pq/ssl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/ssl_permissions.go b/vendor/github.com/lib/pq/ssl_permissions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/ssl_windows.go b/vendor/github.com/lib/pq/ssl_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/url.go b/vendor/github.com/lib/pq/url.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/user_posix.go b/vendor/github.com/lib/pq/user_posix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/user_windows.go b/vendor/github.com/lib/pq/user_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lib/pq/uuid.go b/vendor/github.com/lib/pq/uuid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/dingtalk_webhook/LICENSE b/vendor/github.com/lunny/dingtalk_webhook/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/dingtalk_webhook/README.md b/vendor/github.com/lunny/dingtalk_webhook/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/dingtalk_webhook/webhook.go b/vendor/github.com/lunny/dingtalk_webhook/webhook.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/.gitignore b/vendor/github.com/lunny/log/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/LICENSE b/vendor/github.com/lunny/log/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/README.md b/vendor/github.com/lunny/log/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/README_CN.md b/vendor/github.com/lunny/log/README_CN.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/dbwriter.go b/vendor/github.com/lunny/log/dbwriter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/filewriter.go b/vendor/github.com/lunny/log/filewriter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/log/logext.go b/vendor/github.com/lunny/log/logext.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/.gitignore b/vendor/github.com/lunny/nodb/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/LICENSE b/vendor/github.com/lunny/nodb/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/README.md b/vendor/github.com/lunny/nodb/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/README_CN.md b/vendor/github.com/lunny/nodb/README_CN.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/batch.go b/vendor/github.com/lunny/nodb/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/binlog.go b/vendor/github.com/lunny/nodb/binlog.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/binlog_util.go b/vendor/github.com/lunny/nodb/binlog_util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/config/config.go b/vendor/github.com/lunny/nodb/config/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/config/config.toml b/vendor/github.com/lunny/nodb/config/config.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/const.go b/vendor/github.com/lunny/nodb/const.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/doc.go b/vendor/github.com/lunny/nodb/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/dump.go b/vendor/github.com/lunny/nodb/dump.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/info.go b/vendor/github.com/lunny/nodb/info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/multi.go b/vendor/github.com/lunny/nodb/multi.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/nodb.go b/vendor/github.com/lunny/nodb/nodb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/nodb_db.go b/vendor/github.com/lunny/nodb/nodb_db.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/replication.go b/vendor/github.com/lunny/nodb/replication.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/scan.go b/vendor/github.com/lunny/nodb/scan.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/db.go b/vendor/github.com/lunny/nodb/store/db.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/driver/batch.go b/vendor/github.com/lunny/nodb/store/driver/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/driver/driver.go b/vendor/github.com/lunny/nodb/store/driver/driver.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/driver/store.go b/vendor/github.com/lunny/nodb/store/driver/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/goleveldb/batch.go b/vendor/github.com/lunny/nodb/store/goleveldb/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/goleveldb/const.go b/vendor/github.com/lunny/nodb/store/goleveldb/const.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/goleveldb/db.go b/vendor/github.com/lunny/nodb/store/goleveldb/db.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/goleveldb/iterator.go b/vendor/github.com/lunny/nodb/store/goleveldb/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/goleveldb/snapshot.go b/vendor/github.com/lunny/nodb/store/goleveldb/snapshot.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/iterator.go b/vendor/github.com/lunny/nodb/store/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/snapshot.go b/vendor/github.com/lunny/nodb/store/snapshot.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/store.go b/vendor/github.com/lunny/nodb/store/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/tx.go b/vendor/github.com/lunny/nodb/store/tx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/store/writebatch.go b/vendor/github.com/lunny/nodb/store/writebatch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_bit.go b/vendor/github.com/lunny/nodb/t_bit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_hash.go b/vendor/github.com/lunny/nodb/t_hash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_kv.go b/vendor/github.com/lunny/nodb/t_kv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_list.go b/vendor/github.com/lunny/nodb/t_list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_set.go b/vendor/github.com/lunny/nodb/t_set.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_ttl.go b/vendor/github.com/lunny/nodb/t_ttl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/t_zset.go b/vendor/github.com/lunny/nodb/t_zset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/tx.go b/vendor/github.com/lunny/nodb/tx.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/lunny/nodb/util.go b/vendor/github.com/lunny/nodb/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/.gitignore b/vendor/github.com/magiconair/properties/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/.travis.yml b/vendor/github.com/magiconair/properties/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/CHANGELOG.md b/vendor/github.com/magiconair/properties/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/LICENSE b/vendor/github.com/magiconair/properties/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/README.md b/vendor/github.com/magiconair/properties/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/decode.go b/vendor/github.com/magiconair/properties/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/doc.go b/vendor/github.com/magiconair/properties/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/go.mod b/vendor/github.com/magiconair/properties/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/integrate.go b/vendor/github.com/magiconair/properties/integrate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/lex.go b/vendor/github.com/magiconair/properties/lex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/load.go b/vendor/github.com/magiconair/properties/load.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/parser.go b/vendor/github.com/magiconair/properties/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/properties.go b/vendor/github.com/magiconair/properties/properties.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/magiconair/properties/rangecheck.go b/vendor/github.com/magiconair/properties/rangecheck.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/.gitignore b/vendor/github.com/mailru/easyjson/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/.travis.yml b/vendor/github.com/mailru/easyjson/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/LICENSE b/vendor/github.com/mailru/easyjson/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/Makefile b/vendor/github.com/mailru/easyjson/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/README.md b/vendor/github.com/mailru/easyjson/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/buffer/pool.go b/vendor/github.com/mailru/easyjson/buffer/pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/go.mod b/vendor/github.com/mailru/easyjson/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/helpers.go b/vendor/github.com/mailru/easyjson/helpers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/jlexer/bytestostr.go b/vendor/github.com/mailru/easyjson/jlexer/bytestostr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/jlexer/bytestostr_nounsafe.go b/vendor/github.com/mailru/easyjson/jlexer/bytestostr_nounsafe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/jlexer/error.go b/vendor/github.com/mailru/easyjson/jlexer/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/jlexer/lexer.go b/vendor/github.com/mailru/easyjson/jlexer/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/jwriter/writer.go b/vendor/github.com/mailru/easyjson/jwriter/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mailru/easyjson/raw.go b/vendor/github.com/mailru/easyjson/raw.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/.gitignore b/vendor/github.com/markbates/goth/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/.travis.yml b/vendor/github.com/markbates/goth/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/LICENSE.txt b/vendor/github.com/markbates/goth/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/README.md b/vendor/github.com/markbates/goth/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/doc.go b/vendor/github.com/markbates/goth/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/go.mod b/vendor/github.com/markbates/goth/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/go.sum b/vendor/github.com/markbates/goth/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/gothic/gothic.go b/vendor/github.com/markbates/goth/gothic/gothic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/provider.go b/vendor/github.com/markbates/goth/provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/bitbucket/bitbucket.go b/vendor/github.com/markbates/goth/providers/bitbucket/bitbucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/bitbucket/session.go b/vendor/github.com/markbates/goth/providers/bitbucket/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/discord/discord.go b/vendor/github.com/markbates/goth/providers/discord/discord.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/discord/session.go b/vendor/github.com/markbates/goth/providers/discord/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/dropbox/dropbox.go b/vendor/github.com/markbates/goth/providers/dropbox/dropbox.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/facebook/facebook.go b/vendor/github.com/markbates/goth/providers/facebook/facebook.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/facebook/session.go b/vendor/github.com/markbates/goth/providers/facebook/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/gitea/gitea.go b/vendor/github.com/markbates/goth/providers/gitea/gitea.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/gitea/session.go b/vendor/github.com/markbates/goth/providers/gitea/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/github/github.go b/vendor/github.com/markbates/goth/providers/github/github.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/github/session.go b/vendor/github.com/markbates/goth/providers/github/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/gitlab/gitlab.go b/vendor/github.com/markbates/goth/providers/gitlab/gitlab.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/gitlab/session.go b/vendor/github.com/markbates/goth/providers/gitlab/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/google/endpoint.go b/vendor/github.com/markbates/goth/providers/google/endpoint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/google/endpoint_legacy.go b/vendor/github.com/markbates/goth/providers/google/endpoint_legacy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/google/google.go b/vendor/github.com/markbates/goth/providers/google/google.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/google/session.go b/vendor/github.com/markbates/goth/providers/google/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/nextcloud/README.md b/vendor/github.com/markbates/goth/providers/nextcloud/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/nextcloud/nextcloud.go b/vendor/github.com/markbates/goth/providers/nextcloud/nextcloud.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/nextcloud/nextcloud_setup.png b/vendor/github.com/markbates/goth/providers/nextcloud/nextcloud_setup.png old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/nextcloud/session.go b/vendor/github.com/markbates/goth/providers/nextcloud/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/openidConnect/openidConnect.go b/vendor/github.com/markbates/goth/providers/openidConnect/openidConnect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/openidConnect/session.go b/vendor/github.com/markbates/goth/providers/openidConnect/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/twitter/session.go b/vendor/github.com/markbates/goth/providers/twitter/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/twitter/twitter.go b/vendor/github.com/markbates/goth/providers/twitter/twitter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/yandex/session.go b/vendor/github.com/markbates/goth/providers/yandex/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/providers/yandex/yandex.go b/vendor/github.com/markbates/goth/providers/yandex/yandex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/session.go b/vendor/github.com/markbates/goth/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/markbates/goth/user.go b/vendor/github.com/markbates/goth/user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/.travis.yml b/vendor/github.com/mattn/go-colorable/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/LICENSE b/vendor/github.com/mattn/go-colorable/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/README.md b/vendor/github.com/mattn/go-colorable/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/colorable_appengine.go b/vendor/github.com/mattn/go-colorable/colorable_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/colorable_others.go b/vendor/github.com/mattn/go-colorable/colorable_others.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/colorable_windows.go b/vendor/github.com/mattn/go-colorable/colorable_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/go.mod b/vendor/github.com/mattn/go-colorable/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/go.sum b/vendor/github.com/mattn/go-colorable/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-colorable/noncolorable.go b/vendor/github.com/mattn/go-colorable/noncolorable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/.travis.yml b/vendor/github.com/mattn/go-isatty/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/LICENSE b/vendor/github.com/mattn/go-isatty/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/README.md b/vendor/github.com/mattn/go-isatty/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/doc.go b/vendor/github.com/mattn/go-isatty/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/go.mod b/vendor/github.com/mattn/go-isatty/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/go.sum b/vendor/github.com/mattn/go-isatty/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_android.go b/vendor/github.com/mattn/go-isatty/isatty_android.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_bsd.go b/vendor/github.com/mattn/go-isatty/isatty_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_others.go b/vendor/github.com/mattn/go-isatty/isatty_others.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_plan9.go b/vendor/github.com/mattn/go-isatty/isatty_plan9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_solaris.go b/vendor/github.com/mattn/go-isatty/isatty_solaris.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_tcgets.go b/vendor/github.com/mattn/go-isatty/isatty_tcgets.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-isatty/isatty_windows.go b/vendor/github.com/mattn/go-isatty/isatty_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/.travis.yml b/vendor/github.com/mattn/go-runewidth/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/LICENSE b/vendor/github.com/mattn/go-runewidth/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/README.mkd b/vendor/github.com/mattn/go-runewidth/README.mkd old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/go.mod b/vendor/github.com/mattn/go-runewidth/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth.go b/vendor/github.com/mattn/go-runewidth/runewidth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth_appengine.go b/vendor/github.com/mattn/go-runewidth/runewidth_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth_js.go b/vendor/github.com/mattn/go-runewidth/runewidth_js.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth_posix.go b/vendor/github.com/mattn/go-runewidth/runewidth_posix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth_table.go b/vendor/github.com/mattn/go-runewidth/runewidth_table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-runewidth/runewidth_windows.go b/vendor/github.com/mattn/go-runewidth/runewidth_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/.gitignore b/vendor/github.com/mattn/go-sqlite3/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/.travis.yml b/vendor/github.com/mattn/go-sqlite3/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/LICENSE b/vendor/github.com/mattn/go-sqlite3/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/README.md b/vendor/github.com/mattn/go-sqlite3/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/backup.go b/vendor/github.com/mattn/go-sqlite3/backup.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/callback.go b/vendor/github.com/mattn/go-sqlite3/callback.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/doc.go b/vendor/github.com/mattn/go-sqlite3/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/error.go b/vendor/github.com/mattn/go-sqlite3/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.c b/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.c old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.h b/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3.go b/vendor/github.com/mattn/go-sqlite3/sqlite3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_context.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_func_crypt.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_func_crypt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_libsqlite3.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_libsqlite3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension_omit.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension_omit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_allow_uri_authority.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_allow_uri_authority.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_app_armor.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_app_armor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_foreign_keys.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_foreign_keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_fts5.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_fts5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_icu.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_icu.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_introspect.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_introspect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_json1.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_json1.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete_fast.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete_fast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_stat4.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_stat4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.c b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.c old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth_omit.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth_omit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_full.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_full.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vtable.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vtable.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_other.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_solaris.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_solaris.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_trace.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_trace.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_type.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_usleep_windows.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_usleep_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3_windows.go b/vendor/github.com/mattn/go-sqlite3/sqlite3_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/sqlite3ext.h b/vendor/github.com/mattn/go-sqlite3/sqlite3ext.h old mode 100644 new mode 100755 diff --git a/vendor/github.com/mattn/go-sqlite3/static_mock.go b/vendor/github.com/mattn/go-sqlite3/static_mock.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/LICENSE b/vendor/github.com/matttproud/golang_protobuf_extensions/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/NOTICE b/vendor/github.com/matttproud/golang_protobuf_extensions/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/.gitignore b/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/Makefile b/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/decode.go b/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/doc.go b/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/encode.go b/vendor/github.com/matttproud/golang_protobuf_extensions/pbutil/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/.gitignore b/vendor/github.com/mcuadros/go-version/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/.travis.yml b/vendor/github.com/mcuadros/go-version/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/LICENSE b/vendor/github.com/mcuadros/go-version/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/README.md b/vendor/github.com/mcuadros/go-version/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/compare.go b/vendor/github.com/mcuadros/go-version/compare.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/constraint.go b/vendor/github.com/mcuadros/go-version/constraint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/doc.go b/vendor/github.com/mcuadros/go-version/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/group.go b/vendor/github.com/mcuadros/go-version/group.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/normalize.go b/vendor/github.com/mcuadros/go-version/normalize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/sort.go b/vendor/github.com/mcuadros/go-version/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mcuadros/go-version/stability.go b/vendor/github.com/mcuadros/go-version/stability.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/dots/.travis.yml b/vendor/github.com/mgechev/dots/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/dots/LICENSE b/vendor/github.com/mgechev/dots/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/dots/README.md b/vendor/github.com/mgechev/dots/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/dots/resolve.go b/vendor/github.com/mgechev/dots/resolve.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/LICENSE b/vendor/github.com/mgechev/revive/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/checkstyle.go b/vendor/github.com/mgechev/revive/formatter/checkstyle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/default.go b/vendor/github.com/mgechev/revive/formatter/default.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/friendly.go b/vendor/github.com/mgechev/revive/formatter/friendly.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/json.go b/vendor/github.com/mgechev/revive/formatter/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/ndjson.go b/vendor/github.com/mgechev/revive/formatter/ndjson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/plain.go b/vendor/github.com/mgechev/revive/formatter/plain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/severity.go b/vendor/github.com/mgechev/revive/formatter/severity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/stylish.go b/vendor/github.com/mgechev/revive/formatter/stylish.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/formatter/unix.go b/vendor/github.com/mgechev/revive/formatter/unix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/config.go b/vendor/github.com/mgechev/revive/lint/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/failure.go b/vendor/github.com/mgechev/revive/lint/failure.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/file.go b/vendor/github.com/mgechev/revive/lint/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/formatter.go b/vendor/github.com/mgechev/revive/lint/formatter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/linter.go b/vendor/github.com/mgechev/revive/lint/linter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/package.go b/vendor/github.com/mgechev/revive/lint/package.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/rule.go b/vendor/github.com/mgechev/revive/lint/rule.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/lint/utils.go b/vendor/github.com/mgechev/revive/lint/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/add-constant.go b/vendor/github.com/mgechev/revive/rule/add-constant.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/argument-limit.go b/vendor/github.com/mgechev/revive/rule/argument-limit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/atomic.go b/vendor/github.com/mgechev/revive/rule/atomic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/bare-return.go b/vendor/github.com/mgechev/revive/rule/bare-return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/blank-imports.go b/vendor/github.com/mgechev/revive/rule/blank-imports.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/bool-literal-in-expr.go b/vendor/github.com/mgechev/revive/rule/bool-literal-in-expr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/call-to-gc.go b/vendor/github.com/mgechev/revive/rule/call-to-gc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/cognitive-complexity.go b/vendor/github.com/mgechev/revive/rule/cognitive-complexity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/confusing-naming.go b/vendor/github.com/mgechev/revive/rule/confusing-naming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/confusing-results.go b/vendor/github.com/mgechev/revive/rule/confusing-results.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/constant-logical-expr.go b/vendor/github.com/mgechev/revive/rule/constant-logical-expr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/context-as-argument.go b/vendor/github.com/mgechev/revive/rule/context-as-argument.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/context-keys-type.go b/vendor/github.com/mgechev/revive/rule/context-keys-type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/cyclomatic.go b/vendor/github.com/mgechev/revive/rule/cyclomatic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/deep-exit.go b/vendor/github.com/mgechev/revive/rule/deep-exit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/dot-imports.go b/vendor/github.com/mgechev/revive/rule/dot-imports.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/duplicated-imports.go b/vendor/github.com/mgechev/revive/rule/duplicated-imports.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/empty-block.go b/vendor/github.com/mgechev/revive/rule/empty-block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/empty-lines.go b/vendor/github.com/mgechev/revive/rule/empty-lines.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/error-naming.go b/vendor/github.com/mgechev/revive/rule/error-naming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/error-return.go b/vendor/github.com/mgechev/revive/rule/error-return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/error-strings.go b/vendor/github.com/mgechev/revive/rule/error-strings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/errorf.go b/vendor/github.com/mgechev/revive/rule/errorf.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/exported.go b/vendor/github.com/mgechev/revive/rule/exported.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/file-header.go b/vendor/github.com/mgechev/revive/rule/file-header.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/flag-param.go b/vendor/github.com/mgechev/revive/rule/flag-param.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/function-result-limit.go b/vendor/github.com/mgechev/revive/rule/function-result-limit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/get-return.go b/vendor/github.com/mgechev/revive/rule/get-return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/if-return.go b/vendor/github.com/mgechev/revive/rule/if-return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/import-shadowing.go b/vendor/github.com/mgechev/revive/rule/import-shadowing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/imports-blacklist.go b/vendor/github.com/mgechev/revive/rule/imports-blacklist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/increment-decrement.go b/vendor/github.com/mgechev/revive/rule/increment-decrement.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/indent-error-flow.go b/vendor/github.com/mgechev/revive/rule/indent-error-flow.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/line-length-limit.go b/vendor/github.com/mgechev/revive/rule/line-length-limit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/max-public-structs.go b/vendor/github.com/mgechev/revive/rule/max-public-structs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/modifies-param.go b/vendor/github.com/mgechev/revive/rule/modifies-param.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/modifies-value-receiver.go b/vendor/github.com/mgechev/revive/rule/modifies-value-receiver.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/package-comments.go b/vendor/github.com/mgechev/revive/rule/package-comments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/range-val-address.go b/vendor/github.com/mgechev/revive/rule/range-val-address.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/range-val-in-closure.go b/vendor/github.com/mgechev/revive/rule/range-val-in-closure.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/range.go b/vendor/github.com/mgechev/revive/rule/range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/receiver-naming.go b/vendor/github.com/mgechev/revive/rule/receiver-naming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/redefines-builtin-id.go b/vendor/github.com/mgechev/revive/rule/redefines-builtin-id.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/string-of-int.go b/vendor/github.com/mgechev/revive/rule/string-of-int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/struct-tag.go b/vendor/github.com/mgechev/revive/rule/struct-tag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/superfluous-else.go b/vendor/github.com/mgechev/revive/rule/superfluous-else.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/time-naming.go b/vendor/github.com/mgechev/revive/rule/time-naming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unexported-return.go b/vendor/github.com/mgechev/revive/rule/unexported-return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unhandled-error.go b/vendor/github.com/mgechev/revive/rule/unhandled-error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unnecessary-stmt.go b/vendor/github.com/mgechev/revive/rule/unnecessary-stmt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unreachable-code.go b/vendor/github.com/mgechev/revive/rule/unreachable-code.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unused-param.go b/vendor/github.com/mgechev/revive/rule/unused-param.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/unused-receiver.go b/vendor/github.com/mgechev/revive/rule/unused-receiver.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/utils.go b/vendor/github.com/mgechev/revive/rule/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/var-declarations.go b/vendor/github.com/mgechev/revive/rule/var-declarations.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/var-naming.go b/vendor/github.com/mgechev/revive/rule/var-naming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mgechev/revive/rule/waitgroup-by-value.go b/vendor/github.com/mgechev/revive/rule/waitgroup-by-value.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/.coveralls.yml b/vendor/github.com/microcosm-cc/bluemonday/.coveralls.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/.gitignore b/vendor/github.com/microcosm-cc/bluemonday/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/.travis.yml b/vendor/github.com/microcosm-cc/bluemonday/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/CONTRIBUTING.md b/vendor/github.com/microcosm-cc/bluemonday/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/CREDITS.md b/vendor/github.com/microcosm-cc/bluemonday/CREDITS.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/LICENSE.md b/vendor/github.com/microcosm-cc/bluemonday/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/Makefile b/vendor/github.com/microcosm-cc/bluemonday/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/README.md b/vendor/github.com/microcosm-cc/bluemonday/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/doc.go b/vendor/github.com/microcosm-cc/bluemonday/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/go.mod b/vendor/github.com/microcosm-cc/bluemonday/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/go.sum b/vendor/github.com/microcosm-cc/bluemonday/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/handlers.go b/vendor/github.com/microcosm-cc/bluemonday/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/helpers.go b/vendor/github.com/microcosm-cc/bluemonday/helpers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/policies.go b/vendor/github.com/microcosm-cc/bluemonday/policies.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/policy.go b/vendor/github.com/microcosm-cc/bluemonday/policy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/microcosm-cc/bluemonday/sanitize.go b/vendor/github.com/microcosm-cc/bluemonday/sanitize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/LICENSE b/vendor/github.com/minio/md5-simd/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/README.md b/vendor/github.com/minio/md5-simd/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/block-generic.go b/vendor/github.com/minio/md5-simd/block-generic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/block16_amd64.s b/vendor/github.com/minio/md5-simd/block16_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/block8_amd64.s b/vendor/github.com/minio/md5-simd/block8_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/block_amd64.go b/vendor/github.com/minio/md5-simd/block_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/go.mod b/vendor/github.com/minio/md5-simd/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/go.sum b/vendor/github.com/minio/md5-simd/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/md5-digest_amd64.go b/vendor/github.com/minio/md5-simd/md5-digest_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/md5-server_amd64.go b/vendor/github.com/minio/md5-simd/md5-server_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/md5-server_fallback.go b/vendor/github.com/minio/md5-simd/md5-server_fallback.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/md5-util_amd64.go b/vendor/github.com/minio/md5-simd/md5-util_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/md5-simd/md5.go b/vendor/github.com/minio/md5-simd/md5.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/.gitignore b/vendor/github.com/minio/minio-go/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/.travis.yml b/vendor/github.com/minio/minio-go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/CONTRIBUTING.md b/vendor/github.com/minio/minio-go/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/LICENSE b/vendor/github.com/minio/minio-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/MAINTAINERS.md b/vendor/github.com/minio/minio-go/MAINTAINERS.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/Makefile b/vendor/github.com/minio/minio-go/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/NOTICE b/vendor/github.com/minio/minio-go/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/README.md b/vendor/github.com/minio/minio-go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/README_zh_CN.md b/vendor/github.com/minio/minio-go/README_zh_CN.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-compose-object.go b/vendor/github.com/minio/minio-go/api-compose-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-datatypes.go b/vendor/github.com/minio/minio-go/api-datatypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-error-response.go b/vendor/github.com/minio/minio-go/api-error-response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-lifecycle.go b/vendor/github.com/minio/minio-go/api-get-lifecycle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-object-acl.go b/vendor/github.com/minio/minio-go/api-get-object-acl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-object-context.go b/vendor/github.com/minio/minio-go/api-get-object-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-object-file.go b/vendor/github.com/minio/minio-go/api-get-object-file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-object.go b/vendor/github.com/minio/minio-go/api-get-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-options.go b/vendor/github.com/minio/minio-go/api-get-options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-get-policy.go b/vendor/github.com/minio/minio-go/api-get-policy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-list.go b/vendor/github.com/minio/minio-go/api-list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-notification.go b/vendor/github.com/minio/minio-go/api-notification.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-presigned.go b/vendor/github.com/minio/minio-go/api-presigned.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-bucket.go b/vendor/github.com/minio/minio-go/api-put-bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-common.go b/vendor/github.com/minio/minio-go/api-put-object-common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-context.go b/vendor/github.com/minio/minio-go/api-put-object-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-copy.go b/vendor/github.com/minio/minio-go/api-put-object-copy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-file-context.go b/vendor/github.com/minio/minio-go/api-put-object-file-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-file.go b/vendor/github.com/minio/minio-go/api-put-object-file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-multipart.go b/vendor/github.com/minio/minio-go/api-put-object-multipart.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object-streaming.go b/vendor/github.com/minio/minio-go/api-put-object-streaming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-put-object.go b/vendor/github.com/minio/minio-go/api-put-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-remove.go b/vendor/github.com/minio/minio-go/api-remove.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-s3-datatypes.go b/vendor/github.com/minio/minio-go/api-s3-datatypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-select.go b/vendor/github.com/minio/minio-go/api-select.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api-stat.go b/vendor/github.com/minio/minio-go/api-stat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/api.go b/vendor/github.com/minio/minio-go/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/appveyor.yml b/vendor/github.com/minio/minio-go/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/bucket-cache.go b/vendor/github.com/minio/minio-go/bucket-cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/bucket-notification.go b/vendor/github.com/minio/minio-go/bucket-notification.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/constants.go b/vendor/github.com/minio/minio-go/constants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/core.go b/vendor/github.com/minio/minio-go/core.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/hook-reader.go b/vendor/github.com/minio/minio-go/hook-reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/chain.go b/vendor/github.com/minio/minio-go/pkg/credentials/chain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/config.json.sample b/vendor/github.com/minio/minio-go/pkg/credentials/config.json.sample old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/credentials.go b/vendor/github.com/minio/minio-go/pkg/credentials/credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/credentials.sample b/vendor/github.com/minio/minio-go/pkg/credentials/credentials.sample old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/doc.go b/vendor/github.com/minio/minio-go/pkg/credentials/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/env_aws.go b/vendor/github.com/minio/minio-go/pkg/credentials/env_aws.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/env_minio.go b/vendor/github.com/minio/minio-go/pkg/credentials/env_minio.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/file_aws_credentials.go b/vendor/github.com/minio/minio-go/pkg/credentials/file_aws_credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/file_minio_client.go b/vendor/github.com/minio/minio-go/pkg/credentials/file_minio_client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/iam_aws.go b/vendor/github.com/minio/minio-go/pkg/credentials/iam_aws.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/signature-type.go b/vendor/github.com/minio/minio-go/pkg/credentials/signature-type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/static.go b/vendor/github.com/minio/minio-go/pkg/credentials/static.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/sts_client_grants.go b/vendor/github.com/minio/minio-go/pkg/credentials/sts_client_grants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/credentials/sts_web_identity.go b/vendor/github.com/minio/minio-go/pkg/credentials/sts_web_identity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/encrypt/server-side.go b/vendor/github.com/minio/minio-go/pkg/encrypt/server-side.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-streaming.go b/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-streaming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v2.go b/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v4.go b/vendor/github.com/minio/minio-go/pkg/s3signer/request-signature-v4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/s3signer/utils.go b/vendor/github.com/minio/minio-go/pkg/s3signer/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/s3utils/utils.go b/vendor/github.com/minio/minio-go/pkg/s3utils/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/pkg/set/stringset.go b/vendor/github.com/minio/minio-go/pkg/set/stringset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/post-policy.go b/vendor/github.com/minio/minio-go/post-policy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/retry-continous.go b/vendor/github.com/minio/minio-go/retry-continous.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/retry.go b/vendor/github.com/minio/minio-go/retry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/s3-endpoints.go b/vendor/github.com/minio/minio-go/s3-endpoints.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/s3-error.go b/vendor/github.com/minio/minio-go/s3-error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/transport.go b/vendor/github.com/minio/minio-go/transport.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/utils.go b/vendor/github.com/minio/minio-go/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/.gitignore b/vendor/github.com/minio/minio-go/v6/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/.golangci.yml b/vendor/github.com/minio/minio-go/v6/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/CONTRIBUTING.md b/vendor/github.com/minio/minio-go/v6/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/LICENSE b/vendor/github.com/minio/minio-go/v6/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/MAINTAINERS.md b/vendor/github.com/minio/minio-go/v6/MAINTAINERS.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/Makefile b/vendor/github.com/minio/minio-go/v6/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/NOTICE b/vendor/github.com/minio/minio-go/v6/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/README.md b/vendor/github.com/minio/minio-go/v6/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/README_zh_CN.md b/vendor/github.com/minio/minio-go/v6/README_zh_CN.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-bucket-tagging.go b/vendor/github.com/minio/minio-go/v6/api-bucket-tagging.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-compose-object.go b/vendor/github.com/minio/minio-go/v6/api-compose-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-datatypes.go b/vendor/github.com/minio/minio-go/v6/api-datatypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-error-response.go b/vendor/github.com/minio/minio-go/v6/api-error-response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-bucket-encryption.go b/vendor/github.com/minio/minio-go/v6/api-get-bucket-encryption.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-bucket-versioning.go b/vendor/github.com/minio/minio-go/v6/api-get-bucket-versioning.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-lifecycle.go b/vendor/github.com/minio/minio-go/v6/api-get-lifecycle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-object-acl-context.go b/vendor/github.com/minio/minio-go/v6/api-get-object-acl-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-object-acl.go b/vendor/github.com/minio/minio-go/v6/api-get-object-acl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-object-context.go b/vendor/github.com/minio/minio-go/v6/api-get-object-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-object-file.go b/vendor/github.com/minio/minio-go/v6/api-get-object-file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-object.go b/vendor/github.com/minio/minio-go/v6/api-get-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-options.go b/vendor/github.com/minio/minio-go/v6/api-get-options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-get-policy.go b/vendor/github.com/minio/minio-go/v6/api-get-policy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-list.go b/vendor/github.com/minio/minio-go/v6/api-list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-notification.go b/vendor/github.com/minio/minio-go/v6/api-notification.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-object-legal-hold.go b/vendor/github.com/minio/minio-go/v6/api-object-legal-hold.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-object-lock.go b/vendor/github.com/minio/minio-go/v6/api-object-lock.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-object-retention.go b/vendor/github.com/minio/minio-go/v6/api-object-retention.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-object-tagging.go b/vendor/github.com/minio/minio-go/v6/api-object-tagging.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-presigned.go b/vendor/github.com/minio/minio-go/v6/api-presigned.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-bucket.go b/vendor/github.com/minio/minio-go/v6/api-put-bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-common.go b/vendor/github.com/minio/minio-go/v6/api-put-object-common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-context.go b/vendor/github.com/minio/minio-go/v6/api-put-object-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-copy.go b/vendor/github.com/minio/minio-go/v6/api-put-object-copy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-file-context.go b/vendor/github.com/minio/minio-go/v6/api-put-object-file-context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-file.go b/vendor/github.com/minio/minio-go/v6/api-put-object-file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-multipart.go b/vendor/github.com/minio/minio-go/v6/api-put-object-multipart.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object-streaming.go b/vendor/github.com/minio/minio-go/v6/api-put-object-streaming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-put-object.go b/vendor/github.com/minio/minio-go/v6/api-put-object.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-remove.go b/vendor/github.com/minio/minio-go/v6/api-remove.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-s3-datatypes.go b/vendor/github.com/minio/minio-go/v6/api-s3-datatypes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-select.go b/vendor/github.com/minio/minio-go/v6/api-select.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api-stat.go b/vendor/github.com/minio/minio-go/v6/api-stat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/api.go b/vendor/github.com/minio/minio-go/v6/api.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/bucket-cache.go b/vendor/github.com/minio/minio-go/v6/bucket-cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/bucket-notification.go b/vendor/github.com/minio/minio-go/v6/bucket-notification.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/constants.go b/vendor/github.com/minio/minio-go/v6/constants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/core.go b/vendor/github.com/minio/minio-go/v6/core.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/go.mod b/vendor/github.com/minio/minio-go/v6/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/go.sum b/vendor/github.com/minio/minio-go/v6/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/hook-reader.go b/vendor/github.com/minio/minio-go/v6/hook-reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/assume_role.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/assume_role.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/chain.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/chain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/config.json.sample b/vendor/github.com/minio/minio-go/v6/pkg/credentials/config.json.sample old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.sample b/vendor/github.com/minio/minio-go/v6/pkg/credentials/credentials.sample old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/doc.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/env_aws.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/env_aws.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/env_minio.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/env_minio.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/file_aws_credentials.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/file_aws_credentials.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/file_minio_client.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/file_minio_client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/iam_aws.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/iam_aws.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/signature-type.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/signature-type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/static.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/static.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_client_grants.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_client_grants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_ldap_identity.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_ldap_identity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_web_identity.go b/vendor/github.com/minio/minio-go/v6/pkg/credentials/sts_web_identity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/encrypt/server-side.go b/vendor/github.com/minio/minio-go/v6/pkg/encrypt/server-side.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/s3utils/utils.go b/vendor/github.com/minio/minio-go/v6/pkg/s3utils/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/set/stringset.go b/vendor/github.com/minio/minio-go/v6/pkg/set/stringset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-streaming.go b/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-streaming.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v2.go b/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v4.go b/vendor/github.com/minio/minio-go/v6/pkg/signer/request-signature-v4.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/signer/utils.go b/vendor/github.com/minio/minio-go/v6/pkg/signer/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/pkg/tags/tags.go b/vendor/github.com/minio/minio-go/v6/pkg/tags/tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/post-policy.go b/vendor/github.com/minio/minio-go/v6/post-policy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/retry-continous.go b/vendor/github.com/minio/minio-go/v6/retry-continous.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/retry.go b/vendor/github.com/minio/minio-go/v6/retry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/s3-endpoints.go b/vendor/github.com/minio/minio-go/v6/s3-endpoints.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/s3-error.go b/vendor/github.com/minio/minio-go/v6/s3-error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/staticcheck.conf b/vendor/github.com/minio/minio-go/v6/staticcheck.conf old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/transport.go b/vendor/github.com/minio/minio-go/v6/transport.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/minio-go/v6/utils.go b/vendor/github.com/minio/minio-go/v6/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/.gitignore b/vendor/github.com/minio/sha256-simd/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/.travis.yml b/vendor/github.com/minio/sha256-simd/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/LICENSE b/vendor/github.com/minio/sha256-simd/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/README.md b/vendor/github.com/minio/sha256-simd/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/appveyor.yml b/vendor/github.com/minio/sha256-simd/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid.go b/vendor/github.com/minio/sha256-simd/cpuid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_386.go b/vendor/github.com/minio/sha256-simd/cpuid_386.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_386.s b/vendor/github.com/minio/sha256-simd/cpuid_386.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_amd64.go b/vendor/github.com/minio/sha256-simd/cpuid_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_amd64.s b/vendor/github.com/minio/sha256-simd/cpuid_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_arm.go b/vendor/github.com/minio/sha256-simd/cpuid_arm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_linux_arm64.go b/vendor/github.com/minio/sha256-simd/cpuid_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/cpuid_other.go b/vendor/github.com/minio/sha256-simd/cpuid_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/go.mod b/vendor/github.com/minio/sha256-simd/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256.go b/vendor/github.com/minio/sha256-simd/sha256.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.go b/vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.s b/vendor/github.com/minio/sha256-simd/sha256blockAvx2_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.asm b/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.asm old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.go b/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.s b/vendor/github.com/minio/sha256-simd/sha256blockAvx512_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.go b/vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.s b/vendor/github.com/minio/sha256-simd/sha256blockAvx_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.go b/vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.s b/vendor/github.com/minio/sha256-simd/sha256blockSha_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.go b/vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.s b/vendor/github.com/minio/sha256-simd/sha256blockSsse_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256block_amd64.go b/vendor/github.com/minio/sha256-simd/sha256block_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256block_arm64.go b/vendor/github.com/minio/sha256-simd/sha256block_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256block_arm64.s b/vendor/github.com/minio/sha256-simd/sha256block_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/sha256block_other.go b/vendor/github.com/minio/sha256-simd/sha256block_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/minio/sha256-simd/test-architectures.sh b/vendor/github.com/minio/sha256-simd/test-architectures.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/go-homedir/LICENSE b/vendor/github.com/mitchellh/go-homedir/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/go-homedir/README.md b/vendor/github.com/mitchellh/go-homedir/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/go-homedir/go.mod b/vendor/github.com/mitchellh/go-homedir/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/go-homedir/homedir.go b/vendor/github.com/mitchellh/go-homedir/homedir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/.travis.yml b/vendor/github.com/mitchellh/mapstructure/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/CHANGELOG.md b/vendor/github.com/mitchellh/mapstructure/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/LICENSE b/vendor/github.com/mitchellh/mapstructure/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/README.md b/vendor/github.com/mitchellh/mapstructure/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/decode_hooks.go b/vendor/github.com/mitchellh/mapstructure/decode_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/error.go b/vendor/github.com/mitchellh/mapstructure/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/go.mod b/vendor/github.com/mitchellh/mapstructure/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mitchellh/mapstructure/mapstructure.go b/vendor/github.com/mitchellh/mapstructure/mapstructure.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/.gitignore b/vendor/github.com/modern-go/concurrent/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/.travis.yml b/vendor/github.com/modern-go/concurrent/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/LICENSE b/vendor/github.com/modern-go/concurrent/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/README.md b/vendor/github.com/modern-go/concurrent/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/executor.go b/vendor/github.com/modern-go/concurrent/executor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/go_above_19.go b/vendor/github.com/modern-go/concurrent/go_above_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/go_below_19.go b/vendor/github.com/modern-go/concurrent/go_below_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/log.go b/vendor/github.com/modern-go/concurrent/log.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/test.sh b/vendor/github.com/modern-go/concurrent/test.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/concurrent/unbounded_executor.go b/vendor/github.com/modern-go/concurrent/unbounded_executor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/.gitignore b/vendor/github.com/modern-go/reflect2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/.travis.yml b/vendor/github.com/modern-go/reflect2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/Gopkg.lock b/vendor/github.com/modern-go/reflect2/Gopkg.lock old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/Gopkg.toml b/vendor/github.com/modern-go/reflect2/Gopkg.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/LICENSE b/vendor/github.com/modern-go/reflect2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/README.md b/vendor/github.com/modern-go/reflect2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/go_above_17.go b/vendor/github.com/modern-go/reflect2/go_above_17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/go_above_19.go b/vendor/github.com/modern-go/reflect2/go_above_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/go_below_17.go b/vendor/github.com/modern-go/reflect2/go_below_17.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/go_below_19.go b/vendor/github.com/modern-go/reflect2/go_below_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/reflect2.go b/vendor/github.com/modern-go/reflect2/reflect2.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/reflect2_amd64.s b/vendor/github.com/modern-go/reflect2/reflect2_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/reflect2_kind.go b/vendor/github.com/modern-go/reflect2/reflect2_kind.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_386.s b/vendor/github.com/modern-go/reflect2/relfect2_386.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_amd64p32.s b/vendor/github.com/modern-go/reflect2/relfect2_amd64p32.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_arm.s b/vendor/github.com/modern-go/reflect2/relfect2_arm.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_arm64.s b/vendor/github.com/modern-go/reflect2/relfect2_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_mips64x.s b/vendor/github.com/modern-go/reflect2/relfect2_mips64x.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_mipsx.s b/vendor/github.com/modern-go/reflect2/relfect2_mipsx.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_ppc64x.s b/vendor/github.com/modern-go/reflect2/relfect2_ppc64x.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/relfect2_s390x.s b/vendor/github.com/modern-go/reflect2/relfect2_s390x.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/safe_field.go b/vendor/github.com/modern-go/reflect2/safe_field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/safe_map.go b/vendor/github.com/modern-go/reflect2/safe_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/safe_slice.go b/vendor/github.com/modern-go/reflect2/safe_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/safe_struct.go b/vendor/github.com/modern-go/reflect2/safe_struct.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/safe_type.go b/vendor/github.com/modern-go/reflect2/safe_type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/test.sh b/vendor/github.com/modern-go/reflect2/test.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/type_map.go b/vendor/github.com/modern-go/reflect2/type_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_array.go b/vendor/github.com/modern-go/reflect2/unsafe_array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_eface.go b/vendor/github.com/modern-go/reflect2/unsafe_eface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_field.go b/vendor/github.com/modern-go/reflect2/unsafe_field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_iface.go b/vendor/github.com/modern-go/reflect2/unsafe_iface.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_link.go b/vendor/github.com/modern-go/reflect2/unsafe_link.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_map.go b/vendor/github.com/modern-go/reflect2/unsafe_map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_ptr.go b/vendor/github.com/modern-go/reflect2/unsafe_ptr.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_slice.go b/vendor/github.com/modern-go/reflect2/unsafe_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_struct.go b/vendor/github.com/modern-go/reflect2/unsafe_struct.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/modern-go/reflect2/unsafe_type.go b/vendor/github.com/modern-go/reflect2/unsafe_type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mohae/deepcopy/.gitignore b/vendor/github.com/mohae/deepcopy/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/mohae/deepcopy/.travis.yml b/vendor/github.com/mohae/deepcopy/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mohae/deepcopy/LICENSE b/vendor/github.com/mohae/deepcopy/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mohae/deepcopy/README.md b/vendor/github.com/mohae/deepcopy/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mohae/deepcopy/deepcopy.go b/vendor/github.com/mohae/deepcopy/deepcopy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mrjones/oauth/MIT-LICENSE.txt b/vendor/github.com/mrjones/oauth/MIT-LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/mrjones/oauth/README.md b/vendor/github.com/mrjones/oauth/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mrjones/oauth/oauth.go b/vendor/github.com/mrjones/oauth/oauth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mrjones/oauth/pre-commit.sh b/vendor/github.com/mrjones/oauth/pre-commit.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/mrjones/oauth/provider.go b/vendor/github.com/mrjones/oauth/provider.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/.gitignore b/vendor/github.com/mschoch/smat/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/.travis.yml b/vendor/github.com/mschoch/smat/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/LICENSE b/vendor/github.com/mschoch/smat/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/README.md b/vendor/github.com/mschoch/smat/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/actionseq.go b/vendor/github.com/mschoch/smat/actionseq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/go.mod b/vendor/github.com/mschoch/smat/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/mschoch/smat/smat.go b/vendor/github.com/mschoch/smat/smat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/.gitignore b/vendor/github.com/msteinert/pam/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/.travis.yml b/vendor/github.com/msteinert/pam/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/LICENSE b/vendor/github.com/msteinert/pam/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/README.md b/vendor/github.com/msteinert/pam/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/callback.go b/vendor/github.com/msteinert/pam/callback.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/transaction.c b/vendor/github.com/msteinert/pam/transaction.c old mode 100644 new mode 100755 diff --git a/vendor/github.com/msteinert/pam/transaction.go b/vendor/github.com/msteinert/pam/transaction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/.travis.yml b/vendor/github.com/nfnt/resize/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/LICENSE b/vendor/github.com/nfnt/resize/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/README.md b/vendor/github.com/nfnt/resize/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/converter.go b/vendor/github.com/nfnt/resize/converter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/filters.go b/vendor/github.com/nfnt/resize/filters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/nearest.go b/vendor/github.com/nfnt/resize/nearest.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/resize.go b/vendor/github.com/nfnt/resize/resize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/thumbnail.go b/vendor/github.com/nfnt/resize/thumbnail.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/nfnt/resize/ycc.go b/vendor/github.com/nfnt/resize/ycc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/LICENSE b/vendor/github.com/niklasfasching/go-org/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/block.go b/vendor/github.com/niklasfasching/go-org/org/block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/document.go b/vendor/github.com/niklasfasching/go-org/org/document.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/drawer.go b/vendor/github.com/niklasfasching/go-org/org/drawer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/footnote.go b/vendor/github.com/niklasfasching/go-org/org/footnote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/fuzz.go b/vendor/github.com/niklasfasching/go-org/org/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/headline.go b/vendor/github.com/niklasfasching/go-org/org/headline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/html_entity.go b/vendor/github.com/niklasfasching/go-org/org/html_entity.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/html_writer.go b/vendor/github.com/niklasfasching/go-org/org/html_writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/inline.go b/vendor/github.com/niklasfasching/go-org/org/inline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/keyword.go b/vendor/github.com/niklasfasching/go-org/org/keyword.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/list.go b/vendor/github.com/niklasfasching/go-org/org/list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/org_writer.go b/vendor/github.com/niklasfasching/go-org/org/org_writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/paragraph.go b/vendor/github.com/niklasfasching/go-org/org/paragraph.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/table.go b/vendor/github.com/niklasfasching/go-org/org/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/util.go b/vendor/github.com/niklasfasching/go-org/org/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/niklasfasching/go-org/org/writer.go b/vendor/github.com/niklasfasching/go-org/org/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/.gitignore b/vendor/github.com/olekukonko/tablewriter/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/.travis.yml b/vendor/github.com/olekukonko/tablewriter/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/LICENSE.md b/vendor/github.com/olekukonko/tablewriter/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/README.md b/vendor/github.com/olekukonko/tablewriter/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/csv.go b/vendor/github.com/olekukonko/tablewriter/csv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/go.mod b/vendor/github.com/olekukonko/tablewriter/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/go.sum b/vendor/github.com/olekukonko/tablewriter/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/table.go b/vendor/github.com/olekukonko/tablewriter/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/table_with_color.go b/vendor/github.com/olekukonko/tablewriter/table_with_color.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/util.go b/vendor/github.com/olekukonko/tablewriter/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olekukonko/tablewriter/wrap.go b/vendor/github.com/olekukonko/tablewriter/wrap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/oliamb/cutter/.gitignore b/vendor/github.com/oliamb/cutter/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/oliamb/cutter/.travis.yml b/vendor/github.com/oliamb/cutter/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/oliamb/cutter/LICENSE b/vendor/github.com/oliamb/cutter/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/oliamb/cutter/README.md b/vendor/github.com/oliamb/cutter/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/oliamb/cutter/cutter.go b/vendor/github.com/oliamb/cutter/cutter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/.fossa.yml b/vendor/github.com/olivere/elastic/v7/.fossa.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/.gitignore b/vendor/github.com/olivere/elastic/v7/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/.travis.yml b/vendor/github.com/olivere/elastic/v7/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CHANGELOG-3.0.md b/vendor/github.com/olivere/elastic/v7/CHANGELOG-3.0.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CHANGELOG-5.0.md b/vendor/github.com/olivere/elastic/v7/CHANGELOG-5.0.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CHANGELOG-6.0.md b/vendor/github.com/olivere/elastic/v7/CHANGELOG-6.0.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CHANGELOG-7.0.md b/vendor/github.com/olivere/elastic/v7/CHANGELOG-7.0.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CODE_OF_CONDUCT.md b/vendor/github.com/olivere/elastic/v7/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CONTRIBUTING.md b/vendor/github.com/olivere/elastic/v7/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/CONTRIBUTORS b/vendor/github.com/olivere/elastic/v7/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ISSUE_TEMPLATE.md b/vendor/github.com/olivere/elastic/v7/ISSUE_TEMPLATE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/LICENSE b/vendor/github.com/olivere/elastic/v7/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/README.md b/vendor/github.com/olivere/elastic/v7/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/acknowledged_response.go b/vendor/github.com/olivere/elastic/v7/acknowledged_response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/backoff.go b/vendor/github.com/olivere/elastic/v7/backoff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk.go b/vendor/github.com/olivere/elastic/v7/bulk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_delete_request.go b/vendor/github.com/olivere/elastic/v7/bulk_delete_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_delete_request_easyjson.go b/vendor/github.com/olivere/elastic/v7/bulk_delete_request_easyjson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_index_request.go b/vendor/github.com/olivere/elastic/v7/bulk_index_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_index_request_easyjson.go b/vendor/github.com/olivere/elastic/v7/bulk_index_request_easyjson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_processor.go b/vendor/github.com/olivere/elastic/v7/bulk_processor.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_request.go b/vendor/github.com/olivere/elastic/v7/bulk_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_update_request.go b/vendor/github.com/olivere/elastic/v7/bulk_update_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/bulk_update_request_easyjson.go b/vendor/github.com/olivere/elastic/v7/bulk_update_request_easyjson.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/canonicalize.go b/vendor/github.com/olivere/elastic/v7/canonicalize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cat_aliases.go b/vendor/github.com/olivere/elastic/v7/cat_aliases.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cat_allocation.go b/vendor/github.com/olivere/elastic/v7/cat_allocation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cat_count.go b/vendor/github.com/olivere/elastic/v7/cat_count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cat_health.go b/vendor/github.com/olivere/elastic/v7/cat_health.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cat_indices.go b/vendor/github.com/olivere/elastic/v7/cat_indices.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/clear_scroll.go b/vendor/github.com/olivere/elastic/v7/clear_scroll.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/client.go b/vendor/github.com/olivere/elastic/v7/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cluster_health.go b/vendor/github.com/olivere/elastic/v7/cluster_health.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cluster_reroute.go b/vendor/github.com/olivere/elastic/v7/cluster_reroute.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cluster_state.go b/vendor/github.com/olivere/elastic/v7/cluster_state.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/cluster_stats.go b/vendor/github.com/olivere/elastic/v7/cluster_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/config/config.go b/vendor/github.com/olivere/elastic/v7/config/config.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/config/doc.go b/vendor/github.com/olivere/elastic/v7/config/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/connection.go b/vendor/github.com/olivere/elastic/v7/connection.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/count.go b/vendor/github.com/olivere/elastic/v7/count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/decoder.go b/vendor/github.com/olivere/elastic/v7/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/delete.go b/vendor/github.com/olivere/elastic/v7/delete.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/delete_by_query.go b/vendor/github.com/olivere/elastic/v7/delete_by_query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/doc.go b/vendor/github.com/olivere/elastic/v7/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/docker-compose.yml b/vendor/github.com/olivere/elastic/v7/docker-compose.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/docvalue_field.go b/vendor/github.com/olivere/elastic/v7/docvalue_field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/errors.go b/vendor/github.com/olivere/elastic/v7/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/exists.go b/vendor/github.com/olivere/elastic/v7/exists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/explain.go b/vendor/github.com/olivere/elastic/v7/explain.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/fetch_source_context.go b/vendor/github.com/olivere/elastic/v7/fetch_source_context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/field_caps.go b/vendor/github.com/olivere/elastic/v7/field_caps.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/geo_point.go b/vendor/github.com/olivere/elastic/v7/geo_point.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/get.go b/vendor/github.com/olivere/elastic/v7/get.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/go.mod b/vendor/github.com/olivere/elastic/v7/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/highlight.go b/vendor/github.com/olivere/elastic/v7/highlight.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/index.go b/vendor/github.com/olivere/elastic/v7/index.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_analyze.go b/vendor/github.com/olivere/elastic/v7/indices_analyze.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_close.go b/vendor/github.com/olivere/elastic/v7/indices_close.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_create.go b/vendor/github.com/olivere/elastic/v7/indices_create.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_delete.go b/vendor/github.com/olivere/elastic/v7/indices_delete.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_delete_template.go b/vendor/github.com/olivere/elastic/v7/indices_delete_template.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_exists.go b/vendor/github.com/olivere/elastic/v7/indices_exists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_exists_template.go b/vendor/github.com/olivere/elastic/v7/indices_exists_template.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_flush.go b/vendor/github.com/olivere/elastic/v7/indices_flush.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_flush_synced.go b/vendor/github.com/olivere/elastic/v7/indices_flush_synced.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_forcemerge.go b/vendor/github.com/olivere/elastic/v7/indices_forcemerge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_freeze.go b/vendor/github.com/olivere/elastic/v7/indices_freeze.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get.go b/vendor/github.com/olivere/elastic/v7/indices_get.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get_aliases.go b/vendor/github.com/olivere/elastic/v7/indices_get_aliases.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get_field_mapping.go b/vendor/github.com/olivere/elastic/v7/indices_get_field_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get_mapping.go b/vendor/github.com/olivere/elastic/v7/indices_get_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get_settings.go b/vendor/github.com/olivere/elastic/v7/indices_get_settings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_get_template.go b/vendor/github.com/olivere/elastic/v7/indices_get_template.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_open.go b/vendor/github.com/olivere/elastic/v7/indices_open.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_put_alias.go b/vendor/github.com/olivere/elastic/v7/indices_put_alias.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_put_mapping.go b/vendor/github.com/olivere/elastic/v7/indices_put_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_put_settings.go b/vendor/github.com/olivere/elastic/v7/indices_put_settings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_put_template.go b/vendor/github.com/olivere/elastic/v7/indices_put_template.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_refresh.go b/vendor/github.com/olivere/elastic/v7/indices_refresh.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_rollover.go b/vendor/github.com/olivere/elastic/v7/indices_rollover.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_segments.go b/vendor/github.com/olivere/elastic/v7/indices_segments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_shrink.go b/vendor/github.com/olivere/elastic/v7/indices_shrink.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_stats.go b/vendor/github.com/olivere/elastic/v7/indices_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/indices_unfreeze.go b/vendor/github.com/olivere/elastic/v7/indices_unfreeze.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ingest_delete_pipeline.go b/vendor/github.com/olivere/elastic/v7/ingest_delete_pipeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ingest_get_pipeline.go b/vendor/github.com/olivere/elastic/v7/ingest_get_pipeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ingest_put_pipeline.go b/vendor/github.com/olivere/elastic/v7/ingest_put_pipeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ingest_simulate_pipeline.go b/vendor/github.com/olivere/elastic/v7/ingest_simulate_pipeline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/inner_hit.go b/vendor/github.com/olivere/elastic/v7/inner_hit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/logger.go b/vendor/github.com/olivere/elastic/v7/logger.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/mget.go b/vendor/github.com/olivere/elastic/v7/mget.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/msearch.go b/vendor/github.com/olivere/elastic/v7/msearch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/mtermvectors.go b/vendor/github.com/olivere/elastic/v7/mtermvectors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/nodes_info.go b/vendor/github.com/olivere/elastic/v7/nodes_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/nodes_stats.go b/vendor/github.com/olivere/elastic/v7/nodes_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/ping.go b/vendor/github.com/olivere/elastic/v7/ping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/plugins.go b/vendor/github.com/olivere/elastic/v7/plugins.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/query.go b/vendor/github.com/olivere/elastic/v7/query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/reindex.go b/vendor/github.com/olivere/elastic/v7/reindex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/request.go b/vendor/github.com/olivere/elastic/v7/request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/rescore.go b/vendor/github.com/olivere/elastic/v7/rescore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/rescorer.go b/vendor/github.com/olivere/elastic/v7/rescorer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/response.go b/vendor/github.com/olivere/elastic/v7/response.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/retrier.go b/vendor/github.com/olivere/elastic/v7/retrier.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/retry.go b/vendor/github.com/olivere/elastic/v7/retry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/run-es.sh b/vendor/github.com/olivere/elastic/v7/run-es.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/run-tests.sh b/vendor/github.com/olivere/elastic/v7/run-tests.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/script.go b/vendor/github.com/olivere/elastic/v7/script.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/script_delete.go b/vendor/github.com/olivere/elastic/v7/script_delete.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/script_get.go b/vendor/github.com/olivere/elastic/v7/script_get.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/script_put.go b/vendor/github.com/olivere/elastic/v7/script_put.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/scroll.go b/vendor/github.com/olivere/elastic/v7/scroll.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search.go b/vendor/github.com/olivere/elastic/v7/search.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs.go b/vendor/github.com/olivere/elastic/v7/search_aggs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_adjacency_matrix.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_adjacency_matrix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_auto_date_histogram.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_auto_date_histogram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_children.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_children.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_composite.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_composite.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_count_thresholds.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_count_thresholds.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_histogram.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_histogram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_range.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_date_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_diversified_sampler.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_diversified_sampler.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filter.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filters.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_filters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geo_distance.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geo_distance.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geohash_grid.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_geohash_grid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_global.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_global.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_histogram.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_histogram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_ip_range.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_ip_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_missing.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_missing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_nested.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_nested.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_range.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_reverse_nested.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_reverse_nested.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_sampler.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_sampler.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_terms.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_terms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_text.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_significant_text.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_terms.go b/vendor/github.com/olivere/elastic/v7/search_aggs_bucket_terms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_matrix_stats.go b/vendor/github.com/olivere/elastic/v7/search_aggs_matrix_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_avg.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_avg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_cardinality.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_cardinality.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_extended_stats.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_extended_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_bounds.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_bounds.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_centroid.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_geo_centroid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_max.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_max.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_min.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_min.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentile_ranks.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentile_ranks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentiles.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_percentiles.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_scripted_metric.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_scripted_metric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_stats.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_sum.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_sum.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_top_hits.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_top_hits.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_value_count.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_value_count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_weighted_avg.go b/vendor/github.com/olivere/elastic/v7/search_aggs_metrics_weighted_avg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_avg_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_avg_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_script.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_script.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_selector.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_selector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_sort.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_bucket_sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_cumulative_sum.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_cumulative_sum.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_derivative.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_derivative.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_extended_stats_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_extended_stats_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_max_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_max_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_min_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_min_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_avg.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_avg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_fn.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_mov_fn.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_percentiles_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_percentiles_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_serial_diff.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_serial_diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_stats_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_stats_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_sum_bucket.go b/vendor/github.com/olivere/elastic/v7/search_aggs_pipeline_sum_bucket.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_collapse_builder.go b/vendor/github.com/olivere/elastic/v7/search_collapse_builder.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_bool.go b/vendor/github.com/olivere/elastic/v7/search_queries_bool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_boosting.go b/vendor/github.com/olivere/elastic/v7/search_queries_boosting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_common_terms.go b/vendor/github.com/olivere/elastic/v7/search_queries_common_terms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_constant_score.go b/vendor/github.com/olivere/elastic/v7/search_queries_constant_score.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_dis_max.go b/vendor/github.com/olivere/elastic/v7/search_queries_dis_max.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_distance_feature_query.go b/vendor/github.com/olivere/elastic/v7/search_queries_distance_feature_query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_exists.go b/vendor/github.com/olivere/elastic/v7/search_queries_exists.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_fsq.go b/vendor/github.com/olivere/elastic/v7/search_queries_fsq.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_fsq_score_funcs.go b/vendor/github.com/olivere/elastic/v7/search_queries_fsq_score_funcs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_fuzzy.go b/vendor/github.com/olivere/elastic/v7/search_queries_fuzzy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_geo_bounding_box.go b/vendor/github.com/olivere/elastic/v7/search_queries_geo_bounding_box.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_geo_distance.go b/vendor/github.com/olivere/elastic/v7/search_queries_geo_distance.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_geo_polygon.go b/vendor/github.com/olivere/elastic/v7/search_queries_geo_polygon.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_has_child.go b/vendor/github.com/olivere/elastic/v7/search_queries_has_child.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_has_parent.go b/vendor/github.com/olivere/elastic/v7/search_queries_has_parent.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_ids.go b/vendor/github.com/olivere/elastic/v7/search_queries_ids.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_match.go b/vendor/github.com/olivere/elastic/v7/search_queries_match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_match_all.go b/vendor/github.com/olivere/elastic/v7/search_queries_match_all.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_match_none.go b/vendor/github.com/olivere/elastic/v7/search_queries_match_none.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_match_phrase.go b/vendor/github.com/olivere/elastic/v7/search_queries_match_phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_match_phrase_prefix.go b/vendor/github.com/olivere/elastic/v7/search_queries_match_phrase_prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_more_like_this.go b/vendor/github.com/olivere/elastic/v7/search_queries_more_like_this.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_multi_match.go b/vendor/github.com/olivere/elastic/v7/search_queries_multi_match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_nested.go b/vendor/github.com/olivere/elastic/v7/search_queries_nested.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_parent_id.go b/vendor/github.com/olivere/elastic/v7/search_queries_parent_id.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_percolator.go b/vendor/github.com/olivere/elastic/v7/search_queries_percolator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_prefix.go b/vendor/github.com/olivere/elastic/v7/search_queries_prefix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_query_string.go b/vendor/github.com/olivere/elastic/v7/search_queries_query_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_range.go b/vendor/github.com/olivere/elastic/v7/search_queries_range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_raw_string.go b/vendor/github.com/olivere/elastic/v7/search_queries_raw_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_regexp.go b/vendor/github.com/olivere/elastic/v7/search_queries_regexp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_script.go b/vendor/github.com/olivere/elastic/v7/search_queries_script.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_script_score.go b/vendor/github.com/olivere/elastic/v7/search_queries_script_score.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_simple_query_string.go b/vendor/github.com/olivere/elastic/v7/search_queries_simple_query_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_slice.go b/vendor/github.com/olivere/elastic/v7/search_queries_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_term.go b/vendor/github.com/olivere/elastic/v7/search_queries_term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_terms.go b/vendor/github.com/olivere/elastic/v7/search_queries_terms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_terms_set.go b/vendor/github.com/olivere/elastic/v7/search_queries_terms_set.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_type.go b/vendor/github.com/olivere/elastic/v7/search_queries_type.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_wildcard.go b/vendor/github.com/olivere/elastic/v7/search_queries_wildcard.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_queries_wrapper.go b/vendor/github.com/olivere/elastic/v7/search_queries_wrapper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_request.go b/vendor/github.com/olivere/elastic/v7/search_request.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_shards.go b/vendor/github.com/olivere/elastic/v7/search_shards.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_source.go b/vendor/github.com/olivere/elastic/v7/search_source.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/search_terms_lookup.go b/vendor/github.com/olivere/elastic/v7/search_terms_lookup.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_create.go b/vendor/github.com/olivere/elastic/v7/snapshot_create.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_create_repository.go b/vendor/github.com/olivere/elastic/v7/snapshot_create_repository.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_delete.go b/vendor/github.com/olivere/elastic/v7/snapshot_delete.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_delete_repository.go b/vendor/github.com/olivere/elastic/v7/snapshot_delete_repository.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_get.go b/vendor/github.com/olivere/elastic/v7/snapshot_get.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_get_repository.go b/vendor/github.com/olivere/elastic/v7/snapshot_get_repository.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_restore.go b/vendor/github.com/olivere/elastic/v7/snapshot_restore.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/snapshot_verify_repository.go b/vendor/github.com/olivere/elastic/v7/snapshot_verify_repository.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/sort.go b/vendor/github.com/olivere/elastic/v7/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggest_field.go b/vendor/github.com/olivere/elastic/v7/suggest_field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester.go b/vendor/github.com/olivere/elastic/v7/suggester.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_completion.go b/vendor/github.com/olivere/elastic/v7/suggester_completion.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_context.go b/vendor/github.com/olivere/elastic/v7/suggester_context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_context_category.go b/vendor/github.com/olivere/elastic/v7/suggester_context_category.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_context_geo.go b/vendor/github.com/olivere/elastic/v7/suggester_context_geo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_phrase.go b/vendor/github.com/olivere/elastic/v7/suggester_phrase.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/suggester_term.go b/vendor/github.com/olivere/elastic/v7/suggester_term.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/tasks_cancel.go b/vendor/github.com/olivere/elastic/v7/tasks_cancel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/tasks_get_task.go b/vendor/github.com/olivere/elastic/v7/tasks_get_task.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/tasks_list.go b/vendor/github.com/olivere/elastic/v7/tasks_list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/termvectors.go b/vendor/github.com/olivere/elastic/v7/termvectors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/update.go b/vendor/github.com/olivere/elastic/v7/update.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/update_by_query.go b/vendor/github.com/olivere/elastic/v7/update_by_query.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/uritemplates/LICENSE b/vendor/github.com/olivere/elastic/v7/uritemplates/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/uritemplates/uritemplates.go b/vendor/github.com/olivere/elastic/v7/uritemplates/uritemplates.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/uritemplates/utils.go b/vendor/github.com/olivere/elastic/v7/uritemplates/utils.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/validate.go b/vendor/github.com/olivere/elastic/v7/validate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_ilm_delete_lifecycle.go b/vendor/github.com/olivere/elastic/v7/xpack_ilm_delete_lifecycle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_ilm_get_lifecycle.go b/vendor/github.com/olivere/elastic/v7/xpack_ilm_get_lifecycle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_ilm_put_lifecycle.go b/vendor/github.com/olivere/elastic/v7/xpack_ilm_put_lifecycle.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_info.go b/vendor/github.com/olivere/elastic/v7/xpack_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_change_password.go b/vendor/github.com/olivere/elastic/v7/xpack_security_change_password.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_delete_role.go b/vendor/github.com/olivere/elastic/v7/xpack_security_delete_role.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_delete_role_mapping.go b/vendor/github.com/olivere/elastic/v7/xpack_security_delete_role_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_delete_user.go b/vendor/github.com/olivere/elastic/v7/xpack_security_delete_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_disable_user.go b/vendor/github.com/olivere/elastic/v7/xpack_security_disable_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_enable_user.go b/vendor/github.com/olivere/elastic/v7/xpack_security_enable_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_get_role.go b/vendor/github.com/olivere/elastic/v7/xpack_security_get_role.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_get_role_mapping.go b/vendor/github.com/olivere/elastic/v7/xpack_security_get_role_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_get_user.go b/vendor/github.com/olivere/elastic/v7/xpack_security_get_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_put_role.go b/vendor/github.com/olivere/elastic/v7/xpack_security_put_role.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_put_role_mapping.go b/vendor/github.com/olivere/elastic/v7/xpack_security_put_role_mapping.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_security_put_user.go b/vendor/github.com/olivere/elastic/v7/xpack_security_put_user.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_ack_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_ack_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_activate_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_activate_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_deactivate_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_deactivate_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_delete_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_delete_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_execute_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_execute_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_get_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_get_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_put_watch.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_put_watch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_start.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_start.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_stats.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/olivere/elastic/v7/xpack_watcher_stop.go b/vendor/github.com/olivere/elastic/v7/xpack_watcher_stop.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/.gitignore b/vendor/github.com/opentracing/opentracing-go/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/.travis.yml b/vendor/github.com/opentracing/opentracing-go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/CHANGELOG.md b/vendor/github.com/opentracing/opentracing-go/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/LICENSE b/vendor/github.com/opentracing/opentracing-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/Makefile b/vendor/github.com/opentracing/opentracing-go/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/README.md b/vendor/github.com/opentracing/opentracing-go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/ext/tags.go b/vendor/github.com/opentracing/opentracing-go/ext/tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/globaltracer.go b/vendor/github.com/opentracing/opentracing-go/globaltracer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/gocontext.go b/vendor/github.com/opentracing/opentracing-go/gocontext.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/log/field.go b/vendor/github.com/opentracing/opentracing-go/log/field.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/log/util.go b/vendor/github.com/opentracing/opentracing-go/log/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/noop.go b/vendor/github.com/opentracing/opentracing-go/noop.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/propagation.go b/vendor/github.com/opentracing/opentracing-go/propagation.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/span.go b/vendor/github.com/opentracing/opentracing-go/span.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/opentracing/opentracing-go/tracer.go b/vendor/github.com/opentracing/opentracing-go/tracer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/patrickmn/go-cache/CONTRIBUTORS b/vendor/github.com/patrickmn/go-cache/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/patrickmn/go-cache/LICENSE b/vendor/github.com/patrickmn/go-cache/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/patrickmn/go-cache/README.md b/vendor/github.com/patrickmn/go-cache/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/patrickmn/go-cache/cache.go b/vendor/github.com/patrickmn/go-cache/cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/patrickmn/go-cache/sharded.go b/vendor/github.com/patrickmn/go-cache/sharded.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/.dockerignore b/vendor/github.com/pelletier/go-toml/.dockerignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/.gitignore b/vendor/github.com/pelletier/go-toml/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/.travis.yml b/vendor/github.com/pelletier/go-toml/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/CONTRIBUTING.md b/vendor/github.com/pelletier/go-toml/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/Dockerfile b/vendor/github.com/pelletier/go-toml/Dockerfile old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/LICENSE b/vendor/github.com/pelletier/go-toml/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/PULL_REQUEST_TEMPLATE.md b/vendor/github.com/pelletier/go-toml/PULL_REQUEST_TEMPLATE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/README.md b/vendor/github.com/pelletier/go-toml/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/appveyor.yml b/vendor/github.com/pelletier/go-toml/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/benchmark.json b/vendor/github.com/pelletier/go-toml/benchmark.json old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/benchmark.sh b/vendor/github.com/pelletier/go-toml/benchmark.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/benchmark.toml b/vendor/github.com/pelletier/go-toml/benchmark.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/benchmark.yml b/vendor/github.com/pelletier/go-toml/benchmark.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/doc.go b/vendor/github.com/pelletier/go-toml/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/example-crlf.toml b/vendor/github.com/pelletier/go-toml/example-crlf.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/example.toml b/vendor/github.com/pelletier/go-toml/example.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/fuzz.go b/vendor/github.com/pelletier/go-toml/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/fuzz.sh b/vendor/github.com/pelletier/go-toml/fuzz.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/go.mod b/vendor/github.com/pelletier/go-toml/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/go.sum b/vendor/github.com/pelletier/go-toml/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/keysparsing.go b/vendor/github.com/pelletier/go-toml/keysparsing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/lexer.go b/vendor/github.com/pelletier/go-toml/lexer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/marshal.go b/vendor/github.com/pelletier/go-toml/marshal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_Map_test.toml b/vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_Map_test.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_test.toml b/vendor/github.com/pelletier/go-toml/marshal_OrderPreserve_test.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/marshal_test.toml b/vendor/github.com/pelletier/go-toml/marshal_test.toml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/parser.go b/vendor/github.com/pelletier/go-toml/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/position.go b/vendor/github.com/pelletier/go-toml/position.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/token.go b/vendor/github.com/pelletier/go-toml/token.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/toml.go b/vendor/github.com/pelletier/go-toml/toml.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/tomltree_create.go b/vendor/github.com/pelletier/go-toml/tomltree_create.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pelletier/go-toml/tomltree_write.go b/vendor/github.com/pelletier/go-toml/tomltree_write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/LICENSE.md b/vendor/github.com/philhofer/fwd/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/README.md b/vendor/github.com/philhofer/fwd/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/reader.go b/vendor/github.com/philhofer/fwd/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/writer.go b/vendor/github.com/philhofer/fwd/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/writer_appengine.go b/vendor/github.com/philhofer/fwd/writer_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/philhofer/fwd/writer_unsafe.go b/vendor/github.com/philhofer/fwd/writer_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/.gitignore b/vendor/github.com/pkg/errors/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/.travis.yml b/vendor/github.com/pkg/errors/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/LICENSE b/vendor/github.com/pkg/errors/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/Makefile b/vendor/github.com/pkg/errors/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/README.md b/vendor/github.com/pkg/errors/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/appveyor.yml b/vendor/github.com/pkg/errors/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/errors.go b/vendor/github.com/pkg/errors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/go113.go b/vendor/github.com/pkg/errors/go113.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pkg/errors/stack.go b/vendor/github.com/pkg/errors/stack.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pmezard/go-difflib/LICENSE b/vendor/github.com/pmezard/go-difflib/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/pmezard/go-difflib/difflib/difflib.go b/vendor/github.com/pmezard/go-difflib/difflib/difflib.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/.travis.yml b/vendor/github.com/pquerna/otp/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/LICENSE b/vendor/github.com/pquerna/otp/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/NOTICE b/vendor/github.com/pquerna/otp/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/README.md b/vendor/github.com/pquerna/otp/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/doc.go b/vendor/github.com/pquerna/otp/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/go.mod b/vendor/github.com/pquerna/otp/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/go.sum b/vendor/github.com/pquerna/otp/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/hotp/hotp.go b/vendor/github.com/pquerna/otp/hotp/hotp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/otp.go b/vendor/github.com/pquerna/otp/otp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/pquerna/otp/totp/totp.go b/vendor/github.com/pquerna/otp/totp/totp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/LICENSE b/vendor/github.com/prometheus/client_golang/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/NOTICE b/vendor/github.com/prometheus/client_golang/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/.gitignore b/vendor/github.com/prometheus/client_golang/prometheus/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/README.md b/vendor/github.com/prometheus/client_golang/prometheus/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/build_info.go b/vendor/github.com/prometheus/client_golang/prometheus/build_info.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/build_info_pre_1.12.go b/vendor/github.com/prometheus/client_golang/prometheus/build_info_pre_1.12.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/collector.go b/vendor/github.com/prometheus/client_golang/prometheus/collector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/counter.go b/vendor/github.com/prometheus/client_golang/prometheus/counter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/desc.go b/vendor/github.com/prometheus/client_golang/prometheus/desc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/doc.go b/vendor/github.com/prometheus/client_golang/prometheus/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/expvar_collector.go b/vendor/github.com/prometheus/client_golang/prometheus/expvar_collector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/fnv.go b/vendor/github.com/prometheus/client_golang/prometheus/fnv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/gauge.go b/vendor/github.com/prometheus/client_golang/prometheus/gauge.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/go_collector.go b/vendor/github.com/prometheus/client_golang/prometheus/go_collector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/histogram.go b/vendor/github.com/prometheus/client_golang/prometheus/histogram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/internal/metric.go b/vendor/github.com/prometheus/client_golang/prometheus/internal/metric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/labels.go b/vendor/github.com/prometheus/client_golang/prometheus/labels.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/metric.go b/vendor/github.com/prometheus/client_golang/prometheus/metric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/observer.go b/vendor/github.com/prometheus/client_golang/prometheus/observer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/process_collector.go b/vendor/github.com/prometheus/client_golang/prometheus/process_collector.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/process_collector_other.go b/vendor/github.com/prometheus/client_golang/prometheus/process_collector_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/process_collector_windows.go b/vendor/github.com/prometheus/client_golang/prometheus/process_collector_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/promhttp/delegator.go b/vendor/github.com/prometheus/client_golang/prometheus/promhttp/delegator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/promhttp/http.go b/vendor/github.com/prometheus/client_golang/prometheus/promhttp/http.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_client.go b/vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_server.go b/vendor/github.com/prometheus/client_golang/prometheus/promhttp/instrument_server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/registry.go b/vendor/github.com/prometheus/client_golang/prometheus/registry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/summary.go b/vendor/github.com/prometheus/client_golang/prometheus/summary.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/timer.go b/vendor/github.com/prometheus/client_golang/prometheus/timer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/untyped.go b/vendor/github.com/prometheus/client_golang/prometheus/untyped.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/value.go b/vendor/github.com/prometheus/client_golang/prometheus/value.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/vec.go b/vendor/github.com/prometheus/client_golang/prometheus/vec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_golang/prometheus/wrap.go b/vendor/github.com/prometheus/client_golang/prometheus/wrap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_model/LICENSE b/vendor/github.com/prometheus/client_model/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_model/NOTICE b/vendor/github.com/prometheus/client_model/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/client_model/go/metrics.pb.go b/vendor/github.com/prometheus/client_model/go/metrics.pb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/LICENSE b/vendor/github.com/prometheus/common/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/NOTICE b/vendor/github.com/prometheus/common/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/decode.go b/vendor/github.com/prometheus/common/expfmt/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/encode.go b/vendor/github.com/prometheus/common/expfmt/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/expfmt.go b/vendor/github.com/prometheus/common/expfmt/expfmt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/fuzz.go b/vendor/github.com/prometheus/common/expfmt/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/text_create.go b/vendor/github.com/prometheus/common/expfmt/text_create.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/expfmt/text_parse.go b/vendor/github.com/prometheus/common/expfmt/text_parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/README.txt b/vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/README.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/autoneg.go b/vendor/github.com/prometheus/common/internal/bitbucket.org/ww/goautoneg/autoneg.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/alert.go b/vendor/github.com/prometheus/common/model/alert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/fingerprinting.go b/vendor/github.com/prometheus/common/model/fingerprinting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/fnv.go b/vendor/github.com/prometheus/common/model/fnv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/labels.go b/vendor/github.com/prometheus/common/model/labels.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/labelset.go b/vendor/github.com/prometheus/common/model/labelset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/metric.go b/vendor/github.com/prometheus/common/model/metric.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/model.go b/vendor/github.com/prometheus/common/model/model.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/signature.go b/vendor/github.com/prometheus/common/model/signature.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/silence.go b/vendor/github.com/prometheus/common/model/silence.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/time.go b/vendor/github.com/prometheus/common/model/time.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/common/model/value.go b/vendor/github.com/prometheus/common/model/value.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/.gitignore b/vendor/github.com/prometheus/procfs/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/.golangci.yml b/vendor/github.com/prometheus/procfs/.golangci.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/CONTRIBUTING.md b/vendor/github.com/prometheus/procfs/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/LICENSE b/vendor/github.com/prometheus/procfs/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/MAINTAINERS.md b/vendor/github.com/prometheus/procfs/MAINTAINERS.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/Makefile b/vendor/github.com/prometheus/procfs/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/Makefile.common b/vendor/github.com/prometheus/procfs/Makefile.common old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/NOTICE b/vendor/github.com/prometheus/procfs/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/README.md b/vendor/github.com/prometheus/procfs/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/arp.go b/vendor/github.com/prometheus/procfs/arp.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/buddyinfo.go b/vendor/github.com/prometheus/procfs/buddyinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/crypto.go b/vendor/github.com/prometheus/procfs/crypto.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/doc.go b/vendor/github.com/prometheus/procfs/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/fixtures.ttar b/vendor/github.com/prometheus/procfs/fixtures.ttar old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/fs.go b/vendor/github.com/prometheus/procfs/fs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/go.mod b/vendor/github.com/prometheus/procfs/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/go.sum b/vendor/github.com/prometheus/procfs/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/internal/fs/fs.go b/vendor/github.com/prometheus/procfs/internal/fs/fs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/internal/util/parse.go b/vendor/github.com/prometheus/procfs/internal/util/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/internal/util/sysreadfile.go b/vendor/github.com/prometheus/procfs/internal/util/sysreadfile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/internal/util/sysreadfile_compat.go b/vendor/github.com/prometheus/procfs/internal/util/sysreadfile_compat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/internal/util/valueparser.go b/vendor/github.com/prometheus/procfs/internal/util/valueparser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/ipvs.go b/vendor/github.com/prometheus/procfs/ipvs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/mdstat.go b/vendor/github.com/prometheus/procfs/mdstat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/mountinfo.go b/vendor/github.com/prometheus/procfs/mountinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/mountstats.go b/vendor/github.com/prometheus/procfs/mountstats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/net_dev.go b/vendor/github.com/prometheus/procfs/net_dev.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/net_softnet.go b/vendor/github.com/prometheus/procfs/net_softnet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/net_unix.go b/vendor/github.com/prometheus/procfs/net_unix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc.go b/vendor/github.com/prometheus/procfs/proc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_environ.go b/vendor/github.com/prometheus/procfs/proc_environ.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_fdinfo.go b/vendor/github.com/prometheus/procfs/proc_fdinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_io.go b/vendor/github.com/prometheus/procfs/proc_io.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_limits.go b/vendor/github.com/prometheus/procfs/proc_limits.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_ns.go b/vendor/github.com/prometheus/procfs/proc_ns.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_psi.go b/vendor/github.com/prometheus/procfs/proc_psi.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_stat.go b/vendor/github.com/prometheus/procfs/proc_stat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/proc_status.go b/vendor/github.com/prometheus/procfs/proc_status.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/schedstat.go b/vendor/github.com/prometheus/procfs/schedstat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/stat.go b/vendor/github.com/prometheus/procfs/stat.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/ttar b/vendor/github.com/prometheus/procfs/ttar old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/vm.go b/vendor/github.com/prometheus/procfs/vm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/xfrm.go b/vendor/github.com/prometheus/procfs/xfrm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/prometheus/procfs/zoneinfo.go b/vendor/github.com/prometheus/procfs/zoneinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/.gitignore b/vendor/github.com/quasoft/websspi/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/.travis.yml b/vendor/github.com/quasoft/websspi/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/LICENSE b/vendor/github.com/quasoft/websspi/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/README.md b/vendor/github.com/quasoft/websspi/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/go.mod b/vendor/github.com/quasoft/websspi/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/go.sum b/vendor/github.com/quasoft/websspi/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/secctx/session.go b/vendor/github.com/quasoft/websspi/secctx/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/secctx/store.go b/vendor/github.com/quasoft/websspi/secctx/store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/userinfo.go b/vendor/github.com/quasoft/websspi/userinfo.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/utf16.go b/vendor/github.com/quasoft/websspi/utf16.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/websspi_windows.go b/vendor/github.com/quasoft/websspi/websspi_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/quasoft/websspi/win32_windows.go b/vendor/github.com/quasoft/websspi/win32_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/robfig/cron/v3/.travis.yml b/vendor/github.com/robfig/cron/v3/.travis.yml deleted file mode 100644 index 4f2ee4d97..000000000 --- a/vendor/github.com/robfig/cron/v3/.travis.yml +++ /dev/null @@ -1 +0,0 @@ -language: go diff --git a/vendor/github.com/robfig/cron/v3/LICENSE b/vendor/github.com/robfig/cron/v3/LICENSE deleted file mode 100644 index 3a0f627ff..000000000 --- a/vendor/github.com/robfig/cron/v3/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -Copyright (C) 2012 Rob Figueiredo -All Rights Reserved. - -MIT LICENSE - -Permission is hereby granted, free of charge, to any person obtaining a copy of -this software and associated documentation files (the "Software"), to deal in -the Software without restriction, including without limitation the rights to -use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of -the Software, and to permit persons to whom the Software is furnished to do so, -subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS -FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR -COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER -IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN -CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/vendor/github.com/robfig/cron/v3/README.md b/vendor/github.com/robfig/cron/v3/README.md deleted file mode 100644 index 984c537c0..000000000 --- a/vendor/github.com/robfig/cron/v3/README.md +++ /dev/null @@ -1,125 +0,0 @@ -[![GoDoc](http://godoc.org/github.com/robfig/cron?status.png)](http://godoc.org/github.com/robfig/cron) -[![Build Status](https://travis-ci.org/robfig/cron.svg?branch=master)](https://travis-ci.org/robfig/cron) - -# cron - -Cron V3 has been released! - -To download the specific tagged release, run: - - go get github.com/robfig/cron/v3@v3.0.0 - -Import it in your program as: - - import "github.com/robfig/cron/v3" - -It requires Go 1.11 or later due to usage of Go Modules. - -Refer to the documentation here: -http://godoc.org/github.com/robfig/cron - -The rest of this document describes the the advances in v3 and a list of -breaking changes for users that wish to upgrade from an earlier version. - -## Upgrading to v3 (June 2019) - -cron v3 is a major upgrade to the library that addresses all outstanding bugs, -feature requests, and rough edges. It is based on a merge of master which -contains various fixes to issues found over the years and the v2 branch which -contains some backwards-incompatible features like the ability to remove cron -jobs. In addition, v3 adds support for Go Modules, cleans up rough edges like -the timezone support, and fixes a number of bugs. - -New features: - -- Support for Go modules. Callers must now import this library as - `github.com/robfig/cron/v3`, instead of `gopkg.in/...` - -- Fixed bugs: - - 0f01e6b parser: fix combining of Dow and Dom (#70) - - dbf3220 adjust times when rolling the clock forward to handle non-existent midnight (#157) - - eeecf15 spec_test.go: ensure an error is returned on 0 increment (#144) - - 70971dc cron.Entries(): update request for snapshot to include a reply channel (#97) - - 1cba5e6 cron: fix: removing a job causes the next scheduled job to run too late (#206) - -- Standard cron spec parsing by default (first field is "minute"), with an easy - way to opt into the seconds field (quartz-compatible). Although, note that the - year field (optional in Quartz) is not supported. - -- Extensible, key/value logging via an interface that complies with - the https://github.com/go-logr/logr project. - -- The new Chain & JobWrapper types allow you to install "interceptors" to add - cross-cutting behavior like the following: - - Recover any panics from jobs - - Delay a job's execution if the previous run hasn't completed yet - - Skip a job's execution if the previous run hasn't completed yet - - Log each job's invocations - - Notification when jobs are completed - -It is backwards incompatible with both v1 and v2. These updates are required: - -- The v1 branch accepted an optional seconds field at the beginning of the cron - spec. This is non-standard and has led to a lot of confusion. The new default - parser conforms to the standard as described by [the Cron wikipedia page]. - - UPDATING: To retain the old behavior, construct your Cron with a custom - parser: - - // Seconds field, required - cron.New(cron.WithSeconds()) - - // Seconds field, optional - cron.New( - cron.WithParser( - cron.SecondOptional | cron.Minute | cron.Hour | cron.Dom | cron.Month | cron.Dow | cron.Descriptor)) - -- The Cron type now accepts functional options on construction rather than the - previous ad-hoc behavior modification mechanisms (setting a field, calling a setter). - - UPDATING: Code that sets Cron.ErrorLogger or calls Cron.SetLocation must be - updated to provide those values on construction. - -- CRON_TZ is now the recommended way to specify the timezone of a single - schedule, which is sanctioned by the specification. The legacy "TZ=" prefix - will continue to be supported since it is unambiguous and easy to do so. - - UPDATING: No update is required. - -- By default, cron will no longer recover panics in jobs that it runs. - Recovering can be surprising (see issue #192) and seems to be at odds with - typical behavior of libraries. Relatedly, the `cron.WithPanicLogger` option - has been removed to accommodate the more general JobWrapper type. - - UPDATING: To opt into panic recovery and configure the panic logger: - - cron.New(cron.WithChain( - cron.Recover(logger), // or use cron.DefaultLogger - )) - -- In adding support for https://github.com/go-logr/logr, `cron.WithVerboseLogger` was - removed, since it is duplicative with the leveled logging. - - UPDATING: Callers should use `WithLogger` and specify a logger that does not - discard `Info` logs. For convenience, one is provided that wraps `*log.Logger`: - - cron.New( - cron.WithLogger(cron.VerbosePrintfLogger(logger))) - - -### Background - Cron spec format - -There are two cron spec formats in common usage: - -- The "standard" cron format, described on [the Cron wikipedia page] and used by - the cron Linux system utility. - -- The cron format used by [the Quartz Scheduler], commonly used for scheduled - jobs in Java software - -[the Cron wikipedia page]: https://en.wikipedia.org/wiki/Cron -[the Quartz Scheduler]: http://www.quartz-scheduler.org/documentation/quartz-2.3.0/tutorials/tutorial-lesson-06.html - -The original version of this package included an optional "seconds" field, which -made it incompatible with both of these formats. Now, the "standard" format is -the default format accepted, and the Quartz format is opt-in. diff --git a/vendor/github.com/robfig/cron/v3/chain.go b/vendor/github.com/robfig/cron/v3/chain.go deleted file mode 100644 index 9565b418e..000000000 --- a/vendor/github.com/robfig/cron/v3/chain.go +++ /dev/null @@ -1,92 +0,0 @@ -package cron - -import ( - "fmt" - "runtime" - "sync" - "time" -) - -// JobWrapper decorates the given Job with some behavior. -type JobWrapper func(Job) Job - -// Chain is a sequence of JobWrappers that decorates submitted jobs with -// cross-cutting behaviors like logging or synchronization. -type Chain struct { - wrappers []JobWrapper -} - -// NewChain returns a Chain consisting of the given JobWrappers. -func NewChain(c ...JobWrapper) Chain { - return Chain{c} -} - -// Then decorates the given job with all JobWrappers in the chain. -// -// This: -// NewChain(m1, m2, m3).Then(job) -// is equivalent to: -// m1(m2(m3(job))) -func (c Chain) Then(j Job) Job { - for i := range c.wrappers { - j = c.wrappers[len(c.wrappers)-i-1](j) - } - return j -} - -// Recover panics in wrapped jobs and log them with the provided logger. -func Recover(logger Logger) JobWrapper { - return func(j Job) Job { - return FuncJob(func() { - defer func() { - if r := recover(); r != nil { - const size = 64 << 10 - buf := make([]byte, size) - buf = buf[:runtime.Stack(buf, false)] - err, ok := r.(error) - if !ok { - err = fmt.Errorf("%v", r) - } - logger.Error(err, "panic", "stack", "...\n"+string(buf)) - } - }() - j.Run() - }) - } -} - -// DelayIfStillRunning serializes jobs, delaying subsequent runs until the -// previous one is complete. Jobs running after a delay of more than a minute -// have the delay logged at Info. -func DelayIfStillRunning(logger Logger) JobWrapper { - return func(j Job) Job { - var mu sync.Mutex - return FuncJob(func() { - start := time.Now() - mu.Lock() - defer mu.Unlock() - if dur := time.Since(start); dur > time.Minute { - logger.Info("delay", "duration", dur) - } - j.Run() - }) - } -} - -// SkipIfStillRunning skips an invocation of the Job if a previous invocation is -// still running. It logs skips to the given logger at Info level. -func SkipIfStillRunning(logger Logger) JobWrapper { - return func(j Job) Job { - var ch = make(chan struct{}, 1) - ch <- struct{}{} - return FuncJob(func() { - select { - case v := <-ch: - j.Run() - ch <- v - default: - logger.Info("skip") - } - }) - } -} diff --git a/vendor/github.com/robfig/cron/v3/constantdelay.go b/vendor/github.com/robfig/cron/v3/constantdelay.go deleted file mode 100644 index cd6e7b1be..000000000 --- a/vendor/github.com/robfig/cron/v3/constantdelay.go +++ /dev/null @@ -1,27 +0,0 @@ -package cron - -import "time" - -// ConstantDelaySchedule represents a simple recurring duty cycle, e.g. "Every 5 minutes". -// It does not support jobs more frequent than once a second. -type ConstantDelaySchedule struct { - Delay time.Duration -} - -// Every returns a crontab Schedule that activates once every duration. -// Delays of less than a second are not supported (will round up to 1 second). -// Any fields less than a Second are truncated. -func Every(duration time.Duration) ConstantDelaySchedule { - if duration < time.Second { - duration = time.Second - } - return ConstantDelaySchedule{ - Delay: duration - time.Duration(duration.Nanoseconds())%time.Second, - } -} - -// Next returns the next time this should be run. -// This rounds so that the next activation time will be on the second. -func (schedule ConstantDelaySchedule) Next(t time.Time) time.Time { - return t.Add(schedule.Delay - time.Duration(t.Nanosecond())*time.Nanosecond) -} diff --git a/vendor/github.com/robfig/cron/v3/cron.go b/vendor/github.com/robfig/cron/v3/cron.go deleted file mode 100644 index c7e917665..000000000 --- a/vendor/github.com/robfig/cron/v3/cron.go +++ /dev/null @@ -1,355 +0,0 @@ -package cron - -import ( - "context" - "sort" - "sync" - "time" -) - -// Cron keeps track of any number of entries, invoking the associated func as -// specified by the schedule. It may be started, stopped, and the entries may -// be inspected while running. -type Cron struct { - entries []*Entry - chain Chain - stop chan struct{} - add chan *Entry - remove chan EntryID - snapshot chan chan []Entry - running bool - logger Logger - runningMu sync.Mutex - location *time.Location - parser ScheduleParser - nextID EntryID - jobWaiter sync.WaitGroup -} - -// ScheduleParser is an interface for schedule spec parsers that return a Schedule -type ScheduleParser interface { - Parse(spec string) (Schedule, error) -} - -// Job is an interface for submitted cron jobs. -type Job interface { - Run() -} - -// Schedule describes a job's duty cycle. -type Schedule interface { - // Next returns the next activation time, later than the given time. - // Next is invoked initially, and then each time the job is run. - Next(time.Time) time.Time -} - -// EntryID identifies an entry within a Cron instance -type EntryID int - -// Entry consists of a schedule and the func to execute on that schedule. -type Entry struct { - // ID is the cron-assigned ID of this entry, which may be used to look up a - // snapshot or remove it. - ID EntryID - - // Schedule on which this job should be run. - Schedule Schedule - - // Next time the job will run, or the zero time if Cron has not been - // started or this entry's schedule is unsatisfiable - Next time.Time - - // Prev is the last time this job was run, or the zero time if never. - Prev time.Time - - // WrappedJob is the thing to run when the Schedule is activated. - WrappedJob Job - - // Job is the thing that was submitted to cron. - // It is kept around so that user code that needs to get at the job later, - // e.g. via Entries() can do so. - Job Job -} - -// Valid returns true if this is not the zero entry. -func (e Entry) Valid() bool { return e.ID != 0 } - -// byTime is a wrapper for sorting the entry array by time -// (with zero time at the end). -type byTime []*Entry - -func (s byTime) Len() int { return len(s) } -func (s byTime) Swap(i, j int) { s[i], s[j] = s[j], s[i] } -func (s byTime) Less(i, j int) bool { - // Two zero times should return false. - // Otherwise, zero is "greater" than any other time. - // (To sort it at the end of the list.) - if s[i].Next.IsZero() { - return false - } - if s[j].Next.IsZero() { - return true - } - return s[i].Next.Before(s[j].Next) -} - -// New returns a new Cron job runner, modified by the given options. -// -// Available Settings -// -// Time Zone -// Description: The time zone in which schedules are interpreted -// Default: time.Local -// -// Parser -// Description: Parser converts cron spec strings into cron.Schedules. -// Default: Accepts this spec: https://en.wikipedia.org/wiki/Cron -// -// Chain -// Description: Wrap submitted jobs to customize behavior. -// Default: A chain that recovers panics and logs them to stderr. -// -// See "cron.With*" to modify the default behavior. -func New(opts ...Option) *Cron { - c := &Cron{ - entries: nil, - chain: NewChain(), - add: make(chan *Entry), - stop: make(chan struct{}), - snapshot: make(chan chan []Entry), - remove: make(chan EntryID), - running: false, - runningMu: sync.Mutex{}, - logger: DefaultLogger, - location: time.Local, - parser: standardParser, - } - for _, opt := range opts { - opt(c) - } - return c -} - -// FuncJob is a wrapper that turns a func() into a cron.Job -type FuncJob func() - -func (f FuncJob) Run() { f() } - -// AddFunc adds a func to the Cron to be run on the given schedule. -// The spec is parsed using the time zone of this Cron instance as the default. -// An opaque ID is returned that can be used to later remove it. -func (c *Cron) AddFunc(spec string, cmd func()) (EntryID, error) { - return c.AddJob(spec, FuncJob(cmd)) -} - -// AddJob adds a Job to the Cron to be run on the given schedule. -// The spec is parsed using the time zone of this Cron instance as the default. -// An opaque ID is returned that can be used to later remove it. -func (c *Cron) AddJob(spec string, cmd Job) (EntryID, error) { - schedule, err := c.parser.Parse(spec) - if err != nil { - return 0, err - } - return c.Schedule(schedule, cmd), nil -} - -// Schedule adds a Job to the Cron to be run on the given schedule. -// The job is wrapped with the configured Chain. -func (c *Cron) Schedule(schedule Schedule, cmd Job) EntryID { - c.runningMu.Lock() - defer c.runningMu.Unlock() - c.nextID++ - entry := &Entry{ - ID: c.nextID, - Schedule: schedule, - WrappedJob: c.chain.Then(cmd), - Job: cmd, - } - if !c.running { - c.entries = append(c.entries, entry) - } else { - c.add <- entry - } - return entry.ID -} - -// Entries returns a snapshot of the cron entries. -func (c *Cron) Entries() []Entry { - c.runningMu.Lock() - defer c.runningMu.Unlock() - if c.running { - replyChan := make(chan []Entry, 1) - c.snapshot <- replyChan - return <-replyChan - } - return c.entrySnapshot() -} - -// Location gets the time zone location -func (c *Cron) Location() *time.Location { - return c.location -} - -// Entry returns a snapshot of the given entry, or nil if it couldn't be found. -func (c *Cron) Entry(id EntryID) Entry { - for _, entry := range c.Entries() { - if id == entry.ID { - return entry - } - } - return Entry{} -} - -// Remove an entry from being run in the future. -func (c *Cron) Remove(id EntryID) { - c.runningMu.Lock() - defer c.runningMu.Unlock() - if c.running { - c.remove <- id - } else { - c.removeEntry(id) - } -} - -// Start the cron scheduler in its own goroutine, or no-op if already started. -func (c *Cron) Start() { - c.runningMu.Lock() - defer c.runningMu.Unlock() - if c.running { - return - } - c.running = true - go c.run() -} - -// Run the cron scheduler, or no-op if already running. -func (c *Cron) Run() { - c.runningMu.Lock() - if c.running { - c.runningMu.Unlock() - return - } - c.running = true - c.runningMu.Unlock() - c.run() -} - -// run the scheduler.. this is private just due to the need to synchronize -// access to the 'running' state variable. -func (c *Cron) run() { - c.logger.Info("start") - - // Figure out the next activation times for each entry. - now := c.now() - for _, entry := range c.entries { - entry.Next = entry.Schedule.Next(now) - c.logger.Info("schedule", "now", now, "entry", entry.ID, "next", entry.Next) - } - - for { - // Determine the next entry to run. - sort.Sort(byTime(c.entries)) - - var timer *time.Timer - if len(c.entries) == 0 || c.entries[0].Next.IsZero() { - // If there are no entries yet, just sleep - it still handles new entries - // and stop requests. - timer = time.NewTimer(100000 * time.Hour) - } else { - timer = time.NewTimer(c.entries[0].Next.Sub(now)) - } - - for { - select { - case now = <-timer.C: - now = now.In(c.location) - c.logger.Info("wake", "now", now) - - // Run every entry whose next time was less than now - for _, e := range c.entries { - if e.Next.After(now) || e.Next.IsZero() { - break - } - c.startJob(e.WrappedJob) - e.Prev = e.Next - e.Next = e.Schedule.Next(now) - c.logger.Info("run", "now", now, "entry", e.ID, "next", e.Next) - } - - case newEntry := <-c.add: - timer.Stop() - now = c.now() - newEntry.Next = newEntry.Schedule.Next(now) - c.entries = append(c.entries, newEntry) - c.logger.Info("added", "now", now, "entry", newEntry.ID, "next", newEntry.Next) - - case replyChan := <-c.snapshot: - replyChan <- c.entrySnapshot() - continue - - case <-c.stop: - timer.Stop() - c.logger.Info("stop") - return - - case id := <-c.remove: - timer.Stop() - now = c.now() - c.removeEntry(id) - c.logger.Info("removed", "entry", id) - } - - break - } - } -} - -// startJob runs the given job in a new goroutine. -func (c *Cron) startJob(j Job) { - c.jobWaiter.Add(1) - go func() { - defer c.jobWaiter.Done() - j.Run() - }() -} - -// now returns current time in c location -func (c *Cron) now() time.Time { - return time.Now().In(c.location) -} - -// Stop stops the cron scheduler if it is running; otherwise it does nothing. -// A context is returned so the caller can wait for running jobs to complete. -func (c *Cron) Stop() context.Context { - c.runningMu.Lock() - defer c.runningMu.Unlock() - if c.running { - c.stop <- struct{}{} - c.running = false - } - ctx, cancel := context.WithCancel(context.Background()) - go func() { - c.jobWaiter.Wait() - cancel() - }() - return ctx -} - -// entrySnapshot returns a copy of the current cron entry list. -func (c *Cron) entrySnapshot() []Entry { - var entries = make([]Entry, len(c.entries)) - for i, e := range c.entries { - entries[i] = *e - } - return entries -} - -func (c *Cron) removeEntry(id EntryID) { - var entries []*Entry - for _, e := range c.entries { - if e.ID != id { - entries = append(entries, e) - } - } - c.entries = entries -} diff --git a/vendor/github.com/robfig/cron/v3/doc.go b/vendor/github.com/robfig/cron/v3/doc.go deleted file mode 100644 index fa5d08b4d..000000000 --- a/vendor/github.com/robfig/cron/v3/doc.go +++ /dev/null @@ -1,231 +0,0 @@ -/* -Package cron implements a cron spec parser and job runner. - -Installation - -To download the specific tagged release, run: - - go get github.com/robfig/cron/v3@v3.0.0 - -Import it in your program as: - - import "github.com/robfig/cron/v3" - -It requires Go 1.11 or later due to usage of Go Modules. - -Usage - -Callers may register Funcs to be invoked on a given schedule. Cron will run -them in their own goroutines. - - c := cron.New() - c.AddFunc("30 * * * *", func() { fmt.Println("Every hour on the half hour") }) - c.AddFunc("30 3-6,20-23 * * *", func() { fmt.Println(".. in the range 3-6am, 8-11pm") }) - c.AddFunc("CRON_TZ=Asia/Tokyo 30 04 * * *", func() { fmt.Println("Runs at 04:30 Tokyo time every day") }) - c.AddFunc("@hourly", func() { fmt.Println("Every hour, starting an hour from now") }) - c.AddFunc("@every 1h30m", func() { fmt.Println("Every hour thirty, starting an hour thirty from now") }) - c.Start() - .. - // Funcs are invoked in their own goroutine, asynchronously. - ... - // Funcs may also be added to a running Cron - c.AddFunc("@daily", func() { fmt.Println("Every day") }) - .. - // Inspect the cron job entries' next and previous run times. - inspect(c.Entries()) - .. - c.Stop() // Stop the scheduler (does not stop any jobs already running). - -CRON Expression Format - -A cron expression represents a set of times, using 5 space-separated fields. - - Field name | Mandatory? | Allowed values | Allowed special characters - ---------- | ---------- | -------------- | -------------------------- - Minutes | Yes | 0-59 | * / , - - Hours | Yes | 0-23 | * / , - - Day of month | Yes | 1-31 | * / , - ? - Month | Yes | 1-12 or JAN-DEC | * / , - - Day of week | Yes | 0-6 or SUN-SAT | * / , - ? - -Month and Day-of-week field values are case insensitive. "SUN", "Sun", and -"sun" are equally accepted. - -The specific interpretation of the format is based on the Cron Wikipedia page: -https://en.wikipedia.org/wiki/Cron - -Alternative Formats - -Alternative Cron expression formats support other fields like seconds. You can -implement that by creating a custom Parser as follows. - - cron.New( - cron.WithParser( - cron.NewParser( - cron.SecondOptional | cron.Minute | cron.Hour | cron.Dom | cron.Month | cron.Dow | cron.Descriptor))) - -Since adding Seconds is the most common modification to the standard cron spec, -cron provides a builtin function to do that, which is equivalent to the custom -parser you saw earlier, except that its seconds field is REQUIRED: - - cron.New(cron.WithSeconds()) - -That emulates Quartz, the most popular alternative Cron schedule format: -http://www.quartz-scheduler.org/documentation/quartz-2.x/tutorials/crontrigger.html - -Special Characters - -Asterisk ( * ) - -The asterisk indicates that the cron expression will match for all values of the -field; e.g., using an asterisk in the 5th field (month) would indicate every -month. - -Slash ( / ) - -Slashes are used to describe increments of ranges. For example 3-59/15 in the -1st field (minutes) would indicate the 3rd minute of the hour and every 15 -minutes thereafter. The form "*\/..." is equivalent to the form "first-last/...", -that is, an increment over the largest possible range of the field. The form -"N/..." is accepted as meaning "N-MAX/...", that is, starting at N, use the -increment until the end of that specific range. It does not wrap around. - -Comma ( , ) - -Commas are used to separate items of a list. For example, using "MON,WED,FRI" in -the 5th field (day of week) would mean Mondays, Wednesdays and Fridays. - -Hyphen ( - ) - -Hyphens are used to define ranges. For example, 9-17 would indicate every -hour between 9am and 5pm inclusive. - -Question mark ( ? ) - -Question mark may be used instead of '*' for leaving either day-of-month or -day-of-week blank. - -Predefined schedules - -You may use one of several pre-defined schedules in place of a cron expression. - - Entry | Description | Equivalent To - ----- | ----------- | ------------- - @yearly (or @annually) | Run once a year, midnight, Jan. 1st | 0 0 1 1 * - @monthly | Run once a month, midnight, first of month | 0 0 1 * * - @weekly | Run once a week, midnight between Sat/Sun | 0 0 * * 0 - @daily (or @midnight) | Run once a day, midnight | 0 0 * * * - @hourly | Run once an hour, beginning of hour | 0 * * * * - -Intervals - -You may also schedule a job to execute at fixed intervals, starting at the time it's added -or cron is run. This is supported by formatting the cron spec like this: - - @every - -where "duration" is a string accepted by time.ParseDuration -(http://golang.org/pkg/time/#ParseDuration). - -For example, "@every 1h30m10s" would indicate a schedule that activates after -1 hour, 30 minutes, 10 seconds, and then every interval after that. - -Note: The interval does not take the job runtime into account. For example, -if a job takes 3 minutes to run, and it is scheduled to run every 5 minutes, -it will have only 2 minutes of idle time between each run. - -Time zones - -By default, all interpretation and scheduling is done in the machine's local -time zone (time.Local). You can specify a different time zone on construction: - - cron.New( - cron.WithLocation(time.UTC)) - -Individual cron schedules may also override the time zone they are to be -interpreted in by providing an additional space-separated field at the beginning -of the cron spec, of the form "CRON_TZ=Asia/Tokyo". - -For example: - - # Runs at 6am in time.Local - cron.New().AddFunc("0 6 * * ?", ...) - - # Runs at 6am in America/New_York - nyc, _ := time.LoadLocation("America/New_York") - c := cron.New(cron.WithLocation(nyc)) - c.AddFunc("0 6 * * ?", ...) - - # Runs at 6am in Asia/Tokyo - cron.New().AddFunc("CRON_TZ=Asia/Tokyo 0 6 * * ?", ...) - - # Runs at 6am in Asia/Tokyo - c := cron.New(cron.WithLocation(nyc)) - c.SetLocation("America/New_York") - c.AddFunc("CRON_TZ=Asia/Tokyo 0 6 * * ?", ...) - -The prefix "TZ=(TIME ZONE)" is also supported for legacy compatibility. - -Be aware that jobs scheduled during daylight-savings leap-ahead transitions will -not be run! - -Job Wrappers - -A Cron runner may be configured with a chain of job wrappers to add -cross-cutting functionality to all submitted jobs. For example, they may be used -to achieve the following effects: - - - Recover any panics from jobs (activated by default) - - Delay a job's execution if the previous run hasn't completed yet - - Skip a job's execution if the previous run hasn't completed yet - - Log each job's invocations - -Install wrappers for all jobs added to a cron using the `cron.WithChain` option: - - cron.New(cron.WithChain( - cron.SkipIfStillRunning(logger), - )) - -Install wrappers for individual jobs by explicitly wrapping them: - - job = cron.NewChain( - cron.SkipIfStillRunning(logger), - ).Then(job) - -Thread safety - -Since the Cron service runs concurrently with the calling code, some amount of -care must be taken to ensure proper synchronization. - -All cron methods are designed to be correctly synchronized as long as the caller -ensures that invocations have a clear happens-before ordering between them. - -Logging - -Cron defines a Logger interface that is a subset of the one defined in -github.com/go-logr/logr. It has two logging levels (Info and Error), and -parameters are key/value pairs. This makes it possible for cron logging to plug -into structured logging systems. An adapter, [Verbose]PrintfLogger, is provided -to wrap the standard library *log.Logger. - -For additional insight into Cron operations, verbose logging may be activated -which will record job runs, scheduling decisions, and added or removed jobs. -Activate it with a one-off logger as follows: - - cron.New( - cron.WithLogger( - cron.VerbosePrintfLogger(log.New(os.Stdout, "cron: ", log.LstdFlags)))) - - -Implementation - -Cron entries are stored in an array, sorted by their next activation time. Cron -sleeps until the next job is due to be run. - -Upon waking: - - it runs each entry that is active on that second - - it calculates the next run times for the jobs that were run - - it re-sorts the array of entries by next activation time. - - it goes to sleep until the soonest job. -*/ -package cron diff --git a/vendor/github.com/robfig/cron/v3/go.mod b/vendor/github.com/robfig/cron/v3/go.mod deleted file mode 100644 index 8c95bf479..000000000 --- a/vendor/github.com/robfig/cron/v3/go.mod +++ /dev/null @@ -1,3 +0,0 @@ -module github.com/robfig/cron/v3 - -go 1.12 diff --git a/vendor/github.com/robfig/cron/v3/logger.go b/vendor/github.com/robfig/cron/v3/logger.go deleted file mode 100644 index b4efcc053..000000000 --- a/vendor/github.com/robfig/cron/v3/logger.go +++ /dev/null @@ -1,86 +0,0 @@ -package cron - -import ( - "io/ioutil" - "log" - "os" - "strings" - "time" -) - -// DefaultLogger is used by Cron if none is specified. -var DefaultLogger Logger = PrintfLogger(log.New(os.Stdout, "cron: ", log.LstdFlags)) - -// DiscardLogger can be used by callers to discard all log messages. -var DiscardLogger Logger = PrintfLogger(log.New(ioutil.Discard, "", 0)) - -// Logger is the interface used in this package for logging, so that any backend -// can be plugged in. It is a subset of the github.com/go-logr/logr interface. -type Logger interface { - // Info logs routine messages about cron's operation. - Info(msg string, keysAndValues ...interface{}) - // Error logs an error condition. - Error(err error, msg string, keysAndValues ...interface{}) -} - -// PrintfLogger wraps a Printf-based logger (such as the standard library "log") -// into an implementation of the Logger interface which logs errors only. -func PrintfLogger(l interface{ Printf(string, ...interface{}) }) Logger { - return printfLogger{l, false} -} - -// VerbosePrintfLogger wraps a Printf-based logger (such as the standard library -// "log") into an implementation of the Logger interface which logs everything. -func VerbosePrintfLogger(l interface{ Printf(string, ...interface{}) }) Logger { - return printfLogger{l, true} -} - -type printfLogger struct { - logger interface{ Printf(string, ...interface{}) } - logInfo bool -} - -func (pl printfLogger) Info(msg string, keysAndValues ...interface{}) { - if pl.logInfo { - keysAndValues = formatTimes(keysAndValues) - pl.logger.Printf( - formatString(len(keysAndValues)), - append([]interface{}{msg}, keysAndValues...)...) - } -} - -func (pl printfLogger) Error(err error, msg string, keysAndValues ...interface{}) { - keysAndValues = formatTimes(keysAndValues) - pl.logger.Printf( - formatString(len(keysAndValues)+2), - append([]interface{}{msg, "error", err}, keysAndValues...)...) -} - -// formatString returns a logfmt-like format string for the number of -// key/values. -func formatString(numKeysAndValues int) string { - var sb strings.Builder - sb.WriteString("%s") - if numKeysAndValues > 0 { - sb.WriteString(", ") - } - for i := 0; i < numKeysAndValues/2; i++ { - if i > 0 { - sb.WriteString(", ") - } - sb.WriteString("%v=%v") - } - return sb.String() -} - -// formatTimes formats any time.Time values as RFC3339. -func formatTimes(keysAndValues []interface{}) []interface{} { - var formattedArgs []interface{} - for _, arg := range keysAndValues { - if t, ok := arg.(time.Time); ok { - arg = t.Format(time.RFC3339) - } - formattedArgs = append(formattedArgs, arg) - } - return formattedArgs -} diff --git a/vendor/github.com/robfig/cron/v3/option.go b/vendor/github.com/robfig/cron/v3/option.go deleted file mode 100644 index 09e4278e7..000000000 --- a/vendor/github.com/robfig/cron/v3/option.go +++ /dev/null @@ -1,45 +0,0 @@ -package cron - -import ( - "time" -) - -// Option represents a modification to the default behavior of a Cron. -type Option func(*Cron) - -// WithLocation overrides the timezone of the cron instance. -func WithLocation(loc *time.Location) Option { - return func(c *Cron) { - c.location = loc - } -} - -// WithSeconds overrides the parser used for interpreting job schedules to -// include a seconds field as the first one. -func WithSeconds() Option { - return WithParser(NewParser( - Second | Minute | Hour | Dom | Month | Dow | Descriptor, - )) -} - -// WithParser overrides the parser used for interpreting job schedules. -func WithParser(p ScheduleParser) Option { - return func(c *Cron) { - c.parser = p - } -} - -// WithChain specifies Job wrappers to apply to all jobs added to this cron. -// Refer to the Chain* functions in this package for provided wrappers. -func WithChain(wrappers ...JobWrapper) Option { - return func(c *Cron) { - c.chain = NewChain(wrappers...) - } -} - -// WithLogger uses the provided logger. -func WithLogger(logger Logger) Option { - return func(c *Cron) { - c.logger = logger - } -} diff --git a/vendor/github.com/robfig/cron/v3/parser.go b/vendor/github.com/robfig/cron/v3/parser.go deleted file mode 100644 index 3cf8879f7..000000000 --- a/vendor/github.com/robfig/cron/v3/parser.go +++ /dev/null @@ -1,434 +0,0 @@ -package cron - -import ( - "fmt" - "math" - "strconv" - "strings" - "time" -) - -// Configuration options for creating a parser. Most options specify which -// fields should be included, while others enable features. If a field is not -// included the parser will assume a default value. These options do not change -// the order fields are parse in. -type ParseOption int - -const ( - Second ParseOption = 1 << iota // Seconds field, default 0 - SecondOptional // Optional seconds field, default 0 - Minute // Minutes field, default 0 - Hour // Hours field, default 0 - Dom // Day of month field, default * - Month // Month field, default * - Dow // Day of week field, default * - DowOptional // Optional day of week field, default * - Descriptor // Allow descriptors such as @monthly, @weekly, etc. -) - -var places = []ParseOption{ - Second, - Minute, - Hour, - Dom, - Month, - Dow, -} - -var defaults = []string{ - "0", - "0", - "0", - "*", - "*", - "*", -} - -// A custom Parser that can be configured. -type Parser struct { - options ParseOption -} - -// NewParser creates a Parser with custom options. -// -// It panics if more than one Optional is given, since it would be impossible to -// correctly infer which optional is provided or missing in general. -// -// Examples -// -// // Standard parser without descriptors -// specParser := NewParser(Minute | Hour | Dom | Month | Dow) -// sched, err := specParser.Parse("0 0 15 */3 *") -// -// // Same as above, just excludes time fields -// subsParser := NewParser(Dom | Month | Dow) -// sched, err := specParser.Parse("15 */3 *") -// -// // Same as above, just makes Dow optional -// subsParser := NewParser(Dom | Month | DowOptional) -// sched, err := specParser.Parse("15 */3") -// -func NewParser(options ParseOption) Parser { - optionals := 0 - if options&DowOptional > 0 { - optionals++ - } - if options&SecondOptional > 0 { - optionals++ - } - if optionals > 1 { - panic("multiple optionals may not be configured") - } - return Parser{options} -} - -// Parse returns a new crontab schedule representing the given spec. -// It returns a descriptive error if the spec is not valid. -// It accepts crontab specs and features configured by NewParser. -func (p Parser) Parse(spec string) (Schedule, error) { - if len(spec) == 0 { - return nil, fmt.Errorf("empty spec string") - } - - // Extract timezone if present - var loc = time.Local - if strings.HasPrefix(spec, "TZ=") || strings.HasPrefix(spec, "CRON_TZ=") { - var err error - i := strings.Index(spec, " ") - eq := strings.Index(spec, "=") - if loc, err = time.LoadLocation(spec[eq+1 : i]); err != nil { - return nil, fmt.Errorf("provided bad location %s: %v", spec[eq+1:i], err) - } - spec = strings.TrimSpace(spec[i:]) - } - - // Handle named schedules (descriptors), if configured - if strings.HasPrefix(spec, "@") { - if p.options&Descriptor == 0 { - return nil, fmt.Errorf("parser does not accept descriptors: %v", spec) - } - return parseDescriptor(spec, loc) - } - - // Split on whitespace. - fields := strings.Fields(spec) - - // Validate & fill in any omitted or optional fields - var err error - fields, err = normalizeFields(fields, p.options) - if err != nil { - return nil, err - } - - field := func(field string, r bounds) uint64 { - if err != nil { - return 0 - } - var bits uint64 - bits, err = getField(field, r) - return bits - } - - var ( - second = field(fields[0], seconds) - minute = field(fields[1], minutes) - hour = field(fields[2], hours) - dayofmonth = field(fields[3], dom) - month = field(fields[4], months) - dayofweek = field(fields[5], dow) - ) - if err != nil { - return nil, err - } - - return &SpecSchedule{ - Second: second, - Minute: minute, - Hour: hour, - Dom: dayofmonth, - Month: month, - Dow: dayofweek, - Location: loc, - }, nil -} - -// normalizeFields takes a subset set of the time fields and returns the full set -// with defaults (zeroes) populated for unset fields. -// -// As part of performing this function, it also validates that the provided -// fields are compatible with the configured options. -func normalizeFields(fields []string, options ParseOption) ([]string, error) { - // Validate optionals & add their field to options - optionals := 0 - if options&SecondOptional > 0 { - options |= Second - optionals++ - } - if options&DowOptional > 0 { - options |= Dow - optionals++ - } - if optionals > 1 { - return nil, fmt.Errorf("multiple optionals may not be configured") - } - - // Figure out how many fields we need - max := 0 - for _, place := range places { - if options&place > 0 { - max++ - } - } - min := max - optionals - - // Validate number of fields - if count := len(fields); count < min || count > max { - if min == max { - return nil, fmt.Errorf("expected exactly %d fields, found %d: %s", min, count, fields) - } - return nil, fmt.Errorf("expected %d to %d fields, found %d: %s", min, max, count, fields) - } - - // Populate the optional field if not provided - if min < max && len(fields) == min { - switch { - case options&DowOptional > 0: - fields = append(fields, defaults[5]) // TODO: improve access to default - case options&SecondOptional > 0: - fields = append([]string{defaults[0]}, fields...) - default: - return nil, fmt.Errorf("unknown optional field") - } - } - - // Populate all fields not part of options with their defaults - n := 0 - expandedFields := make([]string, len(places)) - copy(expandedFields, defaults) - for i, place := range places { - if options&place > 0 { - expandedFields[i] = fields[n] - n++ - } - } - return expandedFields, nil -} - -var standardParser = NewParser( - Minute | Hour | Dom | Month | Dow | Descriptor, -) - -// ParseStandard returns a new crontab schedule representing the given -// standardSpec (https://en.wikipedia.org/wiki/Cron). It requires 5 entries -// representing: minute, hour, day of month, month and day of week, in that -// order. It returns a descriptive error if the spec is not valid. -// -// It accepts -// - Standard crontab specs, e.g. "* * * * ?" -// - Descriptors, e.g. "@midnight", "@every 1h30m" -func ParseStandard(standardSpec string) (Schedule, error) { - return standardParser.Parse(standardSpec) -} - -// getField returns an Int with the bits set representing all of the times that -// the field represents or error parsing field value. A "field" is a comma-separated -// list of "ranges". -func getField(field string, r bounds) (uint64, error) { - var bits uint64 - ranges := strings.FieldsFunc(field, func(r rune) bool { return r == ',' }) - for _, expr := range ranges { - bit, err := getRange(expr, r) - if err != nil { - return bits, err - } - bits |= bit - } - return bits, nil -} - -// getRange returns the bits indicated by the given expression: -// number | number "-" number [ "/" number ] -// or error parsing range. -func getRange(expr string, r bounds) (uint64, error) { - var ( - start, end, step uint - rangeAndStep = strings.Split(expr, "/") - lowAndHigh = strings.Split(rangeAndStep[0], "-") - singleDigit = len(lowAndHigh) == 1 - err error - ) - - var extra uint64 - if lowAndHigh[0] == "*" || lowAndHigh[0] == "?" { - start = r.min - end = r.max - extra = starBit - } else { - start, err = parseIntOrName(lowAndHigh[0], r.names) - if err != nil { - return 0, err - } - switch len(lowAndHigh) { - case 1: - end = start - case 2: - end, err = parseIntOrName(lowAndHigh[1], r.names) - if err != nil { - return 0, err - } - default: - return 0, fmt.Errorf("too many hyphens: %s", expr) - } - } - - switch len(rangeAndStep) { - case 1: - step = 1 - case 2: - step, err = mustParseInt(rangeAndStep[1]) - if err != nil { - return 0, err - } - - // Special handling: "N/step" means "N-max/step". - if singleDigit { - end = r.max - } - if step > 1 { - extra = 0 - } - default: - return 0, fmt.Errorf("too many slashes: %s", expr) - } - - if start < r.min { - return 0, fmt.Errorf("beginning of range (%d) below minimum (%d): %s", start, r.min, expr) - } - if end > r.max { - return 0, fmt.Errorf("end of range (%d) above maximum (%d): %s", end, r.max, expr) - } - if start > end { - return 0, fmt.Errorf("beginning of range (%d) beyond end of range (%d): %s", start, end, expr) - } - if step == 0 { - return 0, fmt.Errorf("step of range should be a positive number: %s", expr) - } - - return getBits(start, end, step) | extra, nil -} - -// parseIntOrName returns the (possibly-named) integer contained in expr. -func parseIntOrName(expr string, names map[string]uint) (uint, error) { - if names != nil { - if namedInt, ok := names[strings.ToLower(expr)]; ok { - return namedInt, nil - } - } - return mustParseInt(expr) -} - -// mustParseInt parses the given expression as an int or returns an error. -func mustParseInt(expr string) (uint, error) { - num, err := strconv.Atoi(expr) - if err != nil { - return 0, fmt.Errorf("failed to parse int from %s: %s", expr, err) - } - if num < 0 { - return 0, fmt.Errorf("negative number (%d) not allowed: %s", num, expr) - } - - return uint(num), nil -} - -// getBits sets all bits in the range [min, max], modulo the given step size. -func getBits(min, max, step uint) uint64 { - var bits uint64 - - // If step is 1, use shifts. - if step == 1 { - return ^(math.MaxUint64 << (max + 1)) & (math.MaxUint64 << min) - } - - // Else, use a simple loop. - for i := min; i <= max; i += step { - bits |= 1 << i - } - return bits -} - -// all returns all bits within the given bounds. (plus the star bit) -func all(r bounds) uint64 { - return getBits(r.min, r.max, 1) | starBit -} - -// parseDescriptor returns a predefined schedule for the expression, or error if none matches. -func parseDescriptor(descriptor string, loc *time.Location) (Schedule, error) { - switch descriptor { - case "@yearly", "@annually": - return &SpecSchedule{ - Second: 1 << seconds.min, - Minute: 1 << minutes.min, - Hour: 1 << hours.min, - Dom: 1 << dom.min, - Month: 1 << months.min, - Dow: all(dow), - Location: loc, - }, nil - - case "@monthly": - return &SpecSchedule{ - Second: 1 << seconds.min, - Minute: 1 << minutes.min, - Hour: 1 << hours.min, - Dom: 1 << dom.min, - Month: all(months), - Dow: all(dow), - Location: loc, - }, nil - - case "@weekly": - return &SpecSchedule{ - Second: 1 << seconds.min, - Minute: 1 << minutes.min, - Hour: 1 << hours.min, - Dom: all(dom), - Month: all(months), - Dow: 1 << dow.min, - Location: loc, - }, nil - - case "@daily", "@midnight": - return &SpecSchedule{ - Second: 1 << seconds.min, - Minute: 1 << minutes.min, - Hour: 1 << hours.min, - Dom: all(dom), - Month: all(months), - Dow: all(dow), - Location: loc, - }, nil - - case "@hourly": - return &SpecSchedule{ - Second: 1 << seconds.min, - Minute: 1 << minutes.min, - Hour: all(hours), - Dom: all(dom), - Month: all(months), - Dow: all(dow), - Location: loc, - }, nil - - } - - const every = "@every " - if strings.HasPrefix(descriptor, every) { - duration, err := time.ParseDuration(descriptor[len(every):]) - if err != nil { - return nil, fmt.Errorf("failed to parse duration %s: %s", descriptor, err) - } - return Every(duration), nil - } - - return nil, fmt.Errorf("unrecognized descriptor: %s", descriptor) -} diff --git a/vendor/github.com/robfig/cron/v3/spec.go b/vendor/github.com/robfig/cron/v3/spec.go deleted file mode 100644 index fa1e241e5..000000000 --- a/vendor/github.com/robfig/cron/v3/spec.go +++ /dev/null @@ -1,188 +0,0 @@ -package cron - -import "time" - -// SpecSchedule specifies a duty cycle (to the second granularity), based on a -// traditional crontab specification. It is computed initially and stored as bit sets. -type SpecSchedule struct { - Second, Minute, Hour, Dom, Month, Dow uint64 - - // Override location for this schedule. - Location *time.Location -} - -// bounds provides a range of acceptable values (plus a map of name to value). -type bounds struct { - min, max uint - names map[string]uint -} - -// The bounds for each field. -var ( - seconds = bounds{0, 59, nil} - minutes = bounds{0, 59, nil} - hours = bounds{0, 23, nil} - dom = bounds{1, 31, nil} - months = bounds{1, 12, map[string]uint{ - "jan": 1, - "feb": 2, - "mar": 3, - "apr": 4, - "may": 5, - "jun": 6, - "jul": 7, - "aug": 8, - "sep": 9, - "oct": 10, - "nov": 11, - "dec": 12, - }} - dow = bounds{0, 6, map[string]uint{ - "sun": 0, - "mon": 1, - "tue": 2, - "wed": 3, - "thu": 4, - "fri": 5, - "sat": 6, - }} -) - -const ( - // Set the top bit if a star was included in the expression. - starBit = 1 << 63 -) - -// Next returns the next time this schedule is activated, greater than the given -// time. If no time can be found to satisfy the schedule, return the zero time. -func (s *SpecSchedule) Next(t time.Time) time.Time { - // General approach - // - // For Month, Day, Hour, Minute, Second: - // Check if the time value matches. If yes, continue to the next field. - // If the field doesn't match the schedule, then increment the field until it matches. - // While incrementing the field, a wrap-around brings it back to the beginning - // of the field list (since it is necessary to re-verify previous field - // values) - - // Convert the given time into the schedule's timezone, if one is specified. - // Save the original timezone so we can convert back after we find a time. - // Note that schedules without a time zone specified (time.Local) are treated - // as local to the time provided. - origLocation := t.Location() - loc := s.Location - if loc == time.Local { - loc = t.Location() - } - if s.Location != time.Local { - t = t.In(s.Location) - } - - // Start at the earliest possible time (the upcoming second). - t = t.Add(1*time.Second - time.Duration(t.Nanosecond())*time.Nanosecond) - - // This flag indicates whether a field has been incremented. - added := false - - // If no time is found within five years, return zero. - yearLimit := t.Year() + 5 - -WRAP: - if t.Year() > yearLimit { - return time.Time{} - } - - // Find the first applicable month. - // If it's this month, then do nothing. - for 1< 12 { - t = t.Add(time.Duration(24-t.Hour()) * time.Hour) - } else { - t = t.Add(time.Duration(-t.Hour()) * time.Hour) - } - } - - if t.Day() == 1 { - goto WRAP - } - } - - for 1< 0 - dowMatch bool = 1< 0 - ) - if s.Dom&starBit > 0 || s.Dow&starBit > 0 { - return domMatch && dowMatch - } - return domMatch || dowMatch -} diff --git a/vendor/github.com/russross/blackfriday/v2/.gitignore b/vendor/github.com/russross/blackfriday/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/.travis.yml b/vendor/github.com/russross/blackfriday/v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/LICENSE.txt b/vendor/github.com/russross/blackfriday/v2/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/README.md b/vendor/github.com/russross/blackfriday/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/block.go b/vendor/github.com/russross/blackfriday/v2/block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/doc.go b/vendor/github.com/russross/blackfriday/v2/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/esc.go b/vendor/github.com/russross/blackfriday/v2/esc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/go.mod b/vendor/github.com/russross/blackfriday/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/html.go b/vendor/github.com/russross/blackfriday/v2/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/inline.go b/vendor/github.com/russross/blackfriday/v2/inline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/markdown.go b/vendor/github.com/russross/blackfriday/v2/markdown.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/node.go b/vendor/github.com/russross/blackfriday/v2/node.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/russross/blackfriday/v2/smartypants.go b/vendor/github.com/russross/blackfriday/v2/smartypants.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/.travis.yml b/vendor/github.com/satori/go.uuid/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/LICENSE b/vendor/github.com/satori/go.uuid/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/README.md b/vendor/github.com/satori/go.uuid/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/codec.go b/vendor/github.com/satori/go.uuid/codec.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/generator.go b/vendor/github.com/satori/go.uuid/generator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/sql.go b/vendor/github.com/satori/go.uuid/sql.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/satori/go.uuid/uuid.go b/vendor/github.com/satori/go.uuid/uuid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/AUTHORS b/vendor/github.com/sergi/go-diff/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/CONTRIBUTORS b/vendor/github.com/sergi/go-diff/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/LICENSE b/vendor/github.com/sergi/go-diff/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/diff.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/diff.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/diffmatchpatch.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/diffmatchpatch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/match.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/mathutil.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/mathutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/operation_string.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/operation_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/patch.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/patch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/sergi/go-diff/diffmatchpatch/stringutil.go b/vendor/github.com/sergi/go-diff/diffmatchpatch/stringutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/httpfs/LICENSE b/vendor/github.com/shurcooL/httpfs/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/httpfs/vfsutil/file.go b/vendor/github.com/shurcooL/httpfs/vfsutil/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/httpfs/vfsutil/vfsutil.go b/vendor/github.com/shurcooL/httpfs/vfsutil/vfsutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/httpfs/vfsutil/walk.go b/vendor/github.com/shurcooL/httpfs/vfsutil/walk.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/sanitized_anchor_name/.travis.yml b/vendor/github.com/shurcooL/sanitized_anchor_name/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/sanitized_anchor_name/LICENSE b/vendor/github.com/shurcooL/sanitized_anchor_name/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/sanitized_anchor_name/README.md b/vendor/github.com/shurcooL/sanitized_anchor_name/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/sanitized_anchor_name/go.mod b/vendor/github.com/shurcooL/sanitized_anchor_name/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/sanitized_anchor_name/main.go b/vendor/github.com/shurcooL/sanitized_anchor_name/main.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/.travis.yml b/vendor/github.com/shurcooL/vfsgen/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/CONTRIBUTING.md b/vendor/github.com/shurcooL/vfsgen/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/LICENSE b/vendor/github.com/shurcooL/vfsgen/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/README.md b/vendor/github.com/shurcooL/vfsgen/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/commentwriter.go b/vendor/github.com/shurcooL/vfsgen/commentwriter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/doc.go b/vendor/github.com/shurcooL/vfsgen/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/generator.go b/vendor/github.com/shurcooL/vfsgen/generator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/options.go b/vendor/github.com/shurcooL/vfsgen/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/shurcooL/vfsgen/stringwriter.go b/vendor/github.com/shurcooL/vfsgen/stringwriter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/AUTHORS b/vendor/github.com/siddontang/go-snappy/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/CONTRIBUTORS b/vendor/github.com/siddontang/go-snappy/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/LICENSE b/vendor/github.com/siddontang/go-snappy/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/snappy/decode.go b/vendor/github.com/siddontang/go-snappy/snappy/decode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/snappy/encode.go b/vendor/github.com/siddontang/go-snappy/snappy/encode.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/siddontang/go-snappy/snappy/snappy.go b/vendor/github.com/siddontang/go-snappy/snappy/snappy.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/.travis.yml b/vendor/github.com/spf13/afero/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/LICENSE.txt b/vendor/github.com/spf13/afero/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/README.md b/vendor/github.com/spf13/afero/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/afero.go b/vendor/github.com/spf13/afero/afero.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/appveyor.yml b/vendor/github.com/spf13/afero/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/basepath.go b/vendor/github.com/spf13/afero/basepath.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/cacheOnReadFs.go b/vendor/github.com/spf13/afero/cacheOnReadFs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/const_bsds.go b/vendor/github.com/spf13/afero/const_bsds.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/const_win_unix.go b/vendor/github.com/spf13/afero/const_win_unix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/copyOnWriteFs.go b/vendor/github.com/spf13/afero/copyOnWriteFs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/go.mod b/vendor/github.com/spf13/afero/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/go.sum b/vendor/github.com/spf13/afero/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/httpFs.go b/vendor/github.com/spf13/afero/httpFs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/ioutil.go b/vendor/github.com/spf13/afero/ioutil.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/lstater.go b/vendor/github.com/spf13/afero/lstater.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/match.go b/vendor/github.com/spf13/afero/match.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/mem/dir.go b/vendor/github.com/spf13/afero/mem/dir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/mem/dirmap.go b/vendor/github.com/spf13/afero/mem/dirmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/mem/file.go b/vendor/github.com/spf13/afero/mem/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/memmap.go b/vendor/github.com/spf13/afero/memmap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/os.go b/vendor/github.com/spf13/afero/os.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/path.go b/vendor/github.com/spf13/afero/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/readonlyfs.go b/vendor/github.com/spf13/afero/readonlyfs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/regexpfs.go b/vendor/github.com/spf13/afero/regexpfs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/unionFile.go b/vendor/github.com/spf13/afero/unionFile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/afero/util.go b/vendor/github.com/spf13/afero/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/.gitignore b/vendor/github.com/spf13/cast/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/.travis.yml b/vendor/github.com/spf13/cast/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/LICENSE b/vendor/github.com/spf13/cast/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/Makefile b/vendor/github.com/spf13/cast/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/README.md b/vendor/github.com/spf13/cast/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/cast.go b/vendor/github.com/spf13/cast/cast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/caste.go b/vendor/github.com/spf13/cast/caste.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/go.mod b/vendor/github.com/spf13/cast/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/cast/go.sum b/vendor/github.com/spf13/cast/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/.gitignore b/vendor/github.com/spf13/jwalterweatherman/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/LICENSE b/vendor/github.com/spf13/jwalterweatherman/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/README.md b/vendor/github.com/spf13/jwalterweatherman/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/default_notepad.go b/vendor/github.com/spf13/jwalterweatherman/default_notepad.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/go.mod b/vendor/github.com/spf13/jwalterweatherman/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/log_counter.go b/vendor/github.com/spf13/jwalterweatherman/log_counter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/jwalterweatherman/notepad.go b/vendor/github.com/spf13/jwalterweatherman/notepad.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/.gitignore b/vendor/github.com/spf13/pflag/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/.travis.yml b/vendor/github.com/spf13/pflag/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/LICENSE b/vendor/github.com/spf13/pflag/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/README.md b/vendor/github.com/spf13/pflag/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/bool.go b/vendor/github.com/spf13/pflag/bool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/bool_slice.go b/vendor/github.com/spf13/pflag/bool_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/bytes.go b/vendor/github.com/spf13/pflag/bytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/count.go b/vendor/github.com/spf13/pflag/count.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/duration.go b/vendor/github.com/spf13/pflag/duration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/duration_slice.go b/vendor/github.com/spf13/pflag/duration_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/flag.go b/vendor/github.com/spf13/pflag/flag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/float32.go b/vendor/github.com/spf13/pflag/float32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/float64.go b/vendor/github.com/spf13/pflag/float64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/golangflag.go b/vendor/github.com/spf13/pflag/golangflag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int.go b/vendor/github.com/spf13/pflag/int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int16.go b/vendor/github.com/spf13/pflag/int16.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int32.go b/vendor/github.com/spf13/pflag/int32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int64.go b/vendor/github.com/spf13/pflag/int64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int8.go b/vendor/github.com/spf13/pflag/int8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/int_slice.go b/vendor/github.com/spf13/pflag/int_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/ip.go b/vendor/github.com/spf13/pflag/ip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/ip_slice.go b/vendor/github.com/spf13/pflag/ip_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/ipmask.go b/vendor/github.com/spf13/pflag/ipmask.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/ipnet.go b/vendor/github.com/spf13/pflag/ipnet.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/string.go b/vendor/github.com/spf13/pflag/string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/string_array.go b/vendor/github.com/spf13/pflag/string_array.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/string_slice.go b/vendor/github.com/spf13/pflag/string_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/string_to_int.go b/vendor/github.com/spf13/pflag/string_to_int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/string_to_string.go b/vendor/github.com/spf13/pflag/string_to_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint.go b/vendor/github.com/spf13/pflag/uint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint16.go b/vendor/github.com/spf13/pflag/uint16.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint32.go b/vendor/github.com/spf13/pflag/uint32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint64.go b/vendor/github.com/spf13/pflag/uint64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint8.go b/vendor/github.com/spf13/pflag/uint8.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/pflag/uint_slice.go b/vendor/github.com/spf13/pflag/uint_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/.gitignore b/vendor/github.com/spf13/viper/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/.travis.yml b/vendor/github.com/spf13/viper/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/LICENSE b/vendor/github.com/spf13/viper/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/README.md b/vendor/github.com/spf13/viper/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/flags.go b/vendor/github.com/spf13/viper/flags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/go.mod b/vendor/github.com/spf13/viper/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/go.sum b/vendor/github.com/spf13/viper/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/util.go b/vendor/github.com/spf13/viper/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/spf13/viper/viper.go b/vendor/github.com/spf13/viper/viper.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/steveyen/gtreap/.gitignore b/vendor/github.com/steveyen/gtreap/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/steveyen/gtreap/LICENSE b/vendor/github.com/steveyen/gtreap/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/steveyen/gtreap/README.md b/vendor/github.com/steveyen/gtreap/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/steveyen/gtreap/go.mod b/vendor/github.com/steveyen/gtreap/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/steveyen/gtreap/treap.go b/vendor/github.com/steveyen/gtreap/treap.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/.gitignore b/vendor/github.com/streadway/amqp/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/.travis.yml b/vendor/github.com/streadway/amqp/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/CONTRIBUTING.md b/vendor/github.com/streadway/amqp/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/LICENSE b/vendor/github.com/streadway/amqp/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/README.md b/vendor/github.com/streadway/amqp/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/allocator.go b/vendor/github.com/streadway/amqp/allocator.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/auth.go b/vendor/github.com/streadway/amqp/auth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/certs.sh b/vendor/github.com/streadway/amqp/certs.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/channel.go b/vendor/github.com/streadway/amqp/channel.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/confirms.go b/vendor/github.com/streadway/amqp/confirms.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/connection.go b/vendor/github.com/streadway/amqp/connection.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/consumers.go b/vendor/github.com/streadway/amqp/consumers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/delivery.go b/vendor/github.com/streadway/amqp/delivery.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/doc.go b/vendor/github.com/streadway/amqp/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/fuzz.go b/vendor/github.com/streadway/amqp/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/gen.sh b/vendor/github.com/streadway/amqp/gen.sh old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/pre-commit b/vendor/github.com/streadway/amqp/pre-commit old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/read.go b/vendor/github.com/streadway/amqp/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/return.go b/vendor/github.com/streadway/amqp/return.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/spec091.go b/vendor/github.com/streadway/amqp/spec091.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/types.go b/vendor/github.com/streadway/amqp/types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/uri.go b/vendor/github.com/streadway/amqp/uri.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/streadway/amqp/write.go b/vendor/github.com/streadway/amqp/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/LICENSE b/vendor/github.com/stretchr/testify/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_compare.go b/vendor/github.com/stretchr/testify/assert/assertion_compare.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_format.go b/vendor/github.com/stretchr/testify/assert/assertion_format.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_format.go.tmpl b/vendor/github.com/stretchr/testify/assert/assertion_format.go.tmpl old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_forward.go b/vendor/github.com/stretchr/testify/assert/assertion_forward.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl b/vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertion_order.go b/vendor/github.com/stretchr/testify/assert/assertion_order.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/assertions.go b/vendor/github.com/stretchr/testify/assert/assertions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/doc.go b/vendor/github.com/stretchr/testify/assert/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/errors.go b/vendor/github.com/stretchr/testify/assert/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/forward_assertions.go b/vendor/github.com/stretchr/testify/assert/forward_assertions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/assert/http_assertions.go b/vendor/github.com/stretchr/testify/assert/http_assertions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/doc.go b/vendor/github.com/stretchr/testify/require/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/forward_requirements.go b/vendor/github.com/stretchr/testify/require/forward_requirements.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/require.go b/vendor/github.com/stretchr/testify/require/require.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/require.go.tmpl b/vendor/github.com/stretchr/testify/require/require.go.tmpl old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/require_forward.go b/vendor/github.com/stretchr/testify/require/require_forward.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/require_forward.go.tmpl b/vendor/github.com/stretchr/testify/require/require_forward.go.tmpl old mode 100644 new mode 100755 diff --git a/vendor/github.com/stretchr/testify/require/requirements.go b/vendor/github.com/stretchr/testify/require/requirements.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/LICENSE b/vendor/github.com/syndtr/goleveldb/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/batch.go b/vendor/github.com/syndtr/goleveldb/leveldb/batch.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/cache/cache.go b/vendor/github.com/syndtr/goleveldb/leveldb/cache/cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/cache/lru.go b/vendor/github.com/syndtr/goleveldb/leveldb/cache/lru.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/comparer.go b/vendor/github.com/syndtr/goleveldb/leveldb/comparer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/comparer/bytes_comparer.go b/vendor/github.com/syndtr/goleveldb/leveldb/comparer/bytes_comparer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/comparer/comparer.go b/vendor/github.com/syndtr/goleveldb/leveldb/comparer/comparer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db.go b/vendor/github.com/syndtr/goleveldb/leveldb/db.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_compaction.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_compaction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_iter.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_snapshot.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_snapshot.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_state.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_state.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_transaction.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_transaction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_util.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/db_write.go b/vendor/github.com/syndtr/goleveldb/leveldb/db_write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/doc.go b/vendor/github.com/syndtr/goleveldb/leveldb/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/errors.go b/vendor/github.com/syndtr/goleveldb/leveldb/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/errors/errors.go b/vendor/github.com/syndtr/goleveldb/leveldb/errors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/filter.go b/vendor/github.com/syndtr/goleveldb/leveldb/filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/filter/bloom.go b/vendor/github.com/syndtr/goleveldb/leveldb/filter/bloom.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/filter/filter.go b/vendor/github.com/syndtr/goleveldb/leveldb/filter/filter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/iterator/array_iter.go b/vendor/github.com/syndtr/goleveldb/leveldb/iterator/array_iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/iterator/indexed_iter.go b/vendor/github.com/syndtr/goleveldb/leveldb/iterator/indexed_iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/iterator/iter.go b/vendor/github.com/syndtr/goleveldb/leveldb/iterator/iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/iterator/merged_iter.go b/vendor/github.com/syndtr/goleveldb/leveldb/iterator/merged_iter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/journal/journal.go b/vendor/github.com/syndtr/goleveldb/leveldb/journal/journal.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/key.go b/vendor/github.com/syndtr/goleveldb/leveldb/key.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/memdb/memdb.go b/vendor/github.com/syndtr/goleveldb/leveldb/memdb/memdb.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/opt/options.go b/vendor/github.com/syndtr/goleveldb/leveldb/opt/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/options.go b/vendor/github.com/syndtr/goleveldb/leveldb/options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/session.go b/vendor/github.com/syndtr/goleveldb/leveldb/session.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/session_compaction.go b/vendor/github.com/syndtr/goleveldb/leveldb/session_compaction.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/session_record.go b/vendor/github.com/syndtr/goleveldb/leveldb/session_record.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/session_util.go b/vendor/github.com/syndtr/goleveldb/leveldb/session_util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_nacl.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_nacl.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_plan9.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_plan9.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_solaris.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_solaris.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_unix.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_unix.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_windows.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/file_storage_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/mem_storage.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/mem_storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/storage/storage.go b/vendor/github.com/syndtr/goleveldb/leveldb/storage/storage.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/table.go b/vendor/github.com/syndtr/goleveldb/leveldb/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/table/reader.go b/vendor/github.com/syndtr/goleveldb/leveldb/table/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/table/table.go b/vendor/github.com/syndtr/goleveldb/leveldb/table/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/table/writer.go b/vendor/github.com/syndtr/goleveldb/leveldb/table/writer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util.go b/vendor/github.com/syndtr/goleveldb/leveldb/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/buffer.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/buffer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/buffer_pool.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/buffer_pool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/crc32.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/crc32.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/hash.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/hash.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/range.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/range.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/util/util.go b/vendor/github.com/syndtr/goleveldb/leveldb/util/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/syndtr/goleveldb/leveldb/version.go b/vendor/github.com/syndtr/goleveldb/leveldb/version.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/LICENSE b/vendor/github.com/tinylib/msgp/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/advise_linux.go b/vendor/github.com/tinylib/msgp/msgp/advise_linux.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/advise_other.go b/vendor/github.com/tinylib/msgp/msgp/advise_other.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/circular.go b/vendor/github.com/tinylib/msgp/msgp/circular.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/defs.go b/vendor/github.com/tinylib/msgp/msgp/defs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/edit.go b/vendor/github.com/tinylib/msgp/msgp/edit.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/elsize.go b/vendor/github.com/tinylib/msgp/msgp/elsize.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/errors.go b/vendor/github.com/tinylib/msgp/msgp/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/extension.go b/vendor/github.com/tinylib/msgp/msgp/extension.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/file.go b/vendor/github.com/tinylib/msgp/msgp/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/file_port.go b/vendor/github.com/tinylib/msgp/msgp/file_port.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/integers.go b/vendor/github.com/tinylib/msgp/msgp/integers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/json.go b/vendor/github.com/tinylib/msgp/msgp/json.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/json_bytes.go b/vendor/github.com/tinylib/msgp/msgp/json_bytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/number.go b/vendor/github.com/tinylib/msgp/msgp/number.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/purego.go b/vendor/github.com/tinylib/msgp/msgp/purego.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/read.go b/vendor/github.com/tinylib/msgp/msgp/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/read_bytes.go b/vendor/github.com/tinylib/msgp/msgp/read_bytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/size.go b/vendor/github.com/tinylib/msgp/msgp/size.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/unsafe.go b/vendor/github.com/tinylib/msgp/msgp/unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/write.go b/vendor/github.com/tinylib/msgp/msgp/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tinylib/msgp/msgp/write_bytes.go b/vendor/github.com/tinylib/msgp/msgp/write_bytes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tjfoc/gmsm/LICENSE b/vendor/github.com/tjfoc/gmsm/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/tjfoc/gmsm/sm3/sm3.go b/vendor/github.com/tjfoc/gmsm/sm3/sm3.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/trie/LICENSE.txt b/vendor/github.com/toqueteos/trie/LICENSE.txt old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/trie/README.md b/vendor/github.com/toqueteos/trie/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/trie/go.mod b/vendor/github.com/toqueteos/trie/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/trie/trie.go b/vendor/github.com/toqueteos/trie/trie.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/.travis.yml b/vendor/github.com/toqueteos/webbrowser/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/CONTRIBUTING.md b/vendor/github.com/toqueteos/webbrowser/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/LICENSE.md b/vendor/github.com/toqueteos/webbrowser/LICENSE.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/README.md b/vendor/github.com/toqueteos/webbrowser/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/go.mod b/vendor/github.com/toqueteos/webbrowser/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/toqueteos/webbrowser/webbrowser.go b/vendor/github.com/toqueteos/webbrowser/webbrowser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/.gitignore b/vendor/github.com/tstranex/u2f/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/.travis.yml b/vendor/github.com/tstranex/u2f/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/LICENSE b/vendor/github.com/tstranex/u2f/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/README.md b/vendor/github.com/tstranex/u2f/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/auth.go b/vendor/github.com/tstranex/u2f/auth.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/certs.go b/vendor/github.com/tstranex/u2f/certs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/messages.go b/vendor/github.com/tstranex/u2f/messages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/register.go b/vendor/github.com/tstranex/u2f/register.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/tstranex/u2f/util.go b/vendor/github.com/tstranex/u2f/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/.gitignore b/vendor/github.com/unknwon/cae/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/LICENSE b/vendor/github.com/unknwon/cae/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/README.md b/vendor/github.com/unknwon/cae/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/README_ZH.md b/vendor/github.com/unknwon/cae/README_ZH.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/cae.go b/vendor/github.com/unknwon/cae/cae.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/zip/read.go b/vendor/github.com/unknwon/cae/zip/read.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/zip/stream.go b/vendor/github.com/unknwon/cae/zip/stream.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/zip/write.go b/vendor/github.com/unknwon/cae/zip/write.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/cae/zip/zip.go b/vendor/github.com/unknwon/cae/zip/zip.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/.gitignore b/vendor/github.com/unknwon/com/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/.travis.yml b/vendor/github.com/unknwon/com/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/LICENSE b/vendor/github.com/unknwon/com/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/README.md b/vendor/github.com/unknwon/com/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/cmd.go b/vendor/github.com/unknwon/com/cmd.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/convert.go b/vendor/github.com/unknwon/com/convert.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/dir.go b/vendor/github.com/unknwon/com/dir.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/file.go b/vendor/github.com/unknwon/com/file.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/go.mod b/vendor/github.com/unknwon/com/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/go.sum b/vendor/github.com/unknwon/com/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/html.go b/vendor/github.com/unknwon/com/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/http.go b/vendor/github.com/unknwon/com/http.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/math.go b/vendor/github.com/unknwon/com/math.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/path.go b/vendor/github.com/unknwon/com/path.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/regex.go b/vendor/github.com/unknwon/com/regex.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/slice.go b/vendor/github.com/unknwon/com/slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/string.go b/vendor/github.com/unknwon/com/string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/time.go b/vendor/github.com/unknwon/com/time.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/com/url.go b/vendor/github.com/unknwon/com/url.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/.gitignore b/vendor/github.com/unknwon/i18n/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/LICENSE b/vendor/github.com/unknwon/i18n/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/Makefile b/vendor/github.com/unknwon/i18n/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/README.md b/vendor/github.com/unknwon/i18n/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/go.mod b/vendor/github.com/unknwon/i18n/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/go.sum b/vendor/github.com/unknwon/i18n/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/i18n/i18n.go b/vendor/github.com/unknwon/i18n/i18n.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/paginater/.gitignore b/vendor/github.com/unknwon/paginater/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/paginater/LICENSE b/vendor/github.com/unknwon/paginater/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/paginater/README.md b/vendor/github.com/unknwon/paginater/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/unknwon/paginater/paginater.go b/vendor/github.com/unknwon/paginater/paginater.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/.flake8 b/vendor/github.com/urfave/cli/.flake8 old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/.gitignore b/vendor/github.com/urfave/cli/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/.travis.yml b/vendor/github.com/urfave/cli/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/CHANGELOG.md b/vendor/github.com/urfave/cli/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/CODE_OF_CONDUCT.md b/vendor/github.com/urfave/cli/CODE_OF_CONDUCT.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/CONTRIBUTING.md b/vendor/github.com/urfave/cli/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/LICENSE b/vendor/github.com/urfave/cli/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/README.md b/vendor/github.com/urfave/cli/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/app.go b/vendor/github.com/urfave/cli/app.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/appveyor.yml b/vendor/github.com/urfave/cli/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/category.go b/vendor/github.com/urfave/cli/category.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/cli.go b/vendor/github.com/urfave/cli/cli.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/command.go b/vendor/github.com/urfave/cli/command.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/context.go b/vendor/github.com/urfave/cli/context.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/docs.go b/vendor/github.com/urfave/cli/docs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/errors.go b/vendor/github.com/urfave/cli/errors.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/fish.go b/vendor/github.com/urfave/cli/fish.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag.go b/vendor/github.com/urfave/cli/flag.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_bool.go b/vendor/github.com/urfave/cli/flag_bool.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_bool_t.go b/vendor/github.com/urfave/cli/flag_bool_t.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_duration.go b/vendor/github.com/urfave/cli/flag_duration.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_float64.go b/vendor/github.com/urfave/cli/flag_float64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_generic.go b/vendor/github.com/urfave/cli/flag_generic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_int.go b/vendor/github.com/urfave/cli/flag_int.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_int64.go b/vendor/github.com/urfave/cli/flag_int64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_int64_slice.go b/vendor/github.com/urfave/cli/flag_int64_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_int_slice.go b/vendor/github.com/urfave/cli/flag_int_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_string.go b/vendor/github.com/urfave/cli/flag_string.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_string_slice.go b/vendor/github.com/urfave/cli/flag_string_slice.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_uint.go b/vendor/github.com/urfave/cli/flag_uint.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/flag_uint64.go b/vendor/github.com/urfave/cli/flag_uint64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/funcs.go b/vendor/github.com/urfave/cli/funcs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/go.mod b/vendor/github.com/urfave/cli/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/go.sum b/vendor/github.com/urfave/cli/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/help.go b/vendor/github.com/urfave/cli/help.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/parse.go b/vendor/github.com/urfave/cli/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/sort.go b/vendor/github.com/urfave/cli/sort.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/urfave/cli/template.go b/vendor/github.com/urfave/cli/template.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/.gitignore b/vendor/github.com/willf/bitset/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/.travis.yml b/vendor/github.com/willf/bitset/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/LICENSE b/vendor/github.com/willf/bitset/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/Makefile b/vendor/github.com/willf/bitset/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/README.md b/vendor/github.com/willf/bitset/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/bitset.go b/vendor/github.com/willf/bitset/bitset.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/popcnt.go b/vendor/github.com/willf/bitset/popcnt.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/popcnt_19.go b/vendor/github.com/willf/bitset/popcnt_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/popcnt_amd64.go b/vendor/github.com/willf/bitset/popcnt_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/popcnt_amd64.s b/vendor/github.com/willf/bitset/popcnt_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/popcnt_generic.go b/vendor/github.com/willf/bitset/popcnt_generic.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/trailing_zeros_18.go b/vendor/github.com/willf/bitset/trailing_zeros_18.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/willf/bitset/trailing_zeros_19.go b/vendor/github.com/willf/bitset/trailing_zeros_19.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/.gitignore b/vendor/github.com/xanzy/go-gitlab/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/.travis.yml b/vendor/github.com/xanzy/go-gitlab/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/CHANGELOG.md b/vendor/github.com/xanzy/go-gitlab/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/LICENSE b/vendor/github.com/xanzy/go-gitlab/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/README.md b/vendor/github.com/xanzy/go-gitlab/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/access_requests.go b/vendor/github.com/xanzy/go-gitlab/access_requests.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/applications.go b/vendor/github.com/xanzy/go-gitlab/applications.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/award_emojis.go b/vendor/github.com/xanzy/go-gitlab/award_emojis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/boards.go b/vendor/github.com/xanzy/go-gitlab/boards.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/branches.go b/vendor/github.com/xanzy/go-gitlab/branches.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/broadcast_messages.go b/vendor/github.com/xanzy/go-gitlab/broadcast_messages.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/ci_yml_templates.go b/vendor/github.com/xanzy/go-gitlab/ci_yml_templates.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/client_options.go b/vendor/github.com/xanzy/go-gitlab/client_options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/commits.go b/vendor/github.com/xanzy/go-gitlab/commits.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/custom_attributes.go b/vendor/github.com/xanzy/go-gitlab/custom_attributes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/deploy_keys.go b/vendor/github.com/xanzy/go-gitlab/deploy_keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/deploy_tokens.go b/vendor/github.com/xanzy/go-gitlab/deploy_tokens.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/deployments.go b/vendor/github.com/xanzy/go-gitlab/deployments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/discussions.go b/vendor/github.com/xanzy/go-gitlab/discussions.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/environments.go b/vendor/github.com/xanzy/go-gitlab/environments.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/epics.go b/vendor/github.com/xanzy/go-gitlab/epics.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/event_parsing.go b/vendor/github.com/xanzy/go-gitlab/event_parsing.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/event_systemhook_types.go b/vendor/github.com/xanzy/go-gitlab/event_systemhook_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/event_webhook_types.go b/vendor/github.com/xanzy/go-gitlab/event_webhook_types.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/events.go b/vendor/github.com/xanzy/go-gitlab/events.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/feature_flags.go b/vendor/github.com/xanzy/go-gitlab/feature_flags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/gitignore_templates.go b/vendor/github.com/xanzy/go-gitlab/gitignore_templates.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/gitlab.go b/vendor/github.com/xanzy/go-gitlab/gitlab.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/go.mod b/vendor/github.com/xanzy/go-gitlab/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/go.sum b/vendor/github.com/xanzy/go-gitlab/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_badges.go b/vendor/github.com/xanzy/go-gitlab/group_badges.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_boards.go b/vendor/github.com/xanzy/go-gitlab/group_boards.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_clusters.go b/vendor/github.com/xanzy/go-gitlab/group_clusters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_hooks.go b/vendor/github.com/xanzy/go-gitlab/group_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_labels.go b/vendor/github.com/xanzy/go-gitlab/group_labels.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_members.go b/vendor/github.com/xanzy/go-gitlab/group_members.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_milestones.go b/vendor/github.com/xanzy/go-gitlab/group_milestones.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/group_variables.go b/vendor/github.com/xanzy/go-gitlab/group_variables.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/groups.go b/vendor/github.com/xanzy/go-gitlab/groups.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/issue_links.go b/vendor/github.com/xanzy/go-gitlab/issue_links.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/issues.go b/vendor/github.com/xanzy/go-gitlab/issues.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/jobs.go b/vendor/github.com/xanzy/go-gitlab/jobs.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/keys.go b/vendor/github.com/xanzy/go-gitlab/keys.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/labels.go b/vendor/github.com/xanzy/go-gitlab/labels.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/license.go b/vendor/github.com/xanzy/go-gitlab/license.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/license_templates.go b/vendor/github.com/xanzy/go-gitlab/license_templates.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/merge_request_approvals.go b/vendor/github.com/xanzy/go-gitlab/merge_request_approvals.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/merge_requests.go b/vendor/github.com/xanzy/go-gitlab/merge_requests.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/milestones.go b/vendor/github.com/xanzy/go-gitlab/milestones.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/namespaces.go b/vendor/github.com/xanzy/go-gitlab/namespaces.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/notes.go b/vendor/github.com/xanzy/go-gitlab/notes.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/notifications.go b/vendor/github.com/xanzy/go-gitlab/notifications.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/pages_domains.go b/vendor/github.com/xanzy/go-gitlab/pages_domains.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/pipeline_schedules.go b/vendor/github.com/xanzy/go-gitlab/pipeline_schedules.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/pipeline_triggers.go b/vendor/github.com/xanzy/go-gitlab/pipeline_triggers.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/pipelines.go b/vendor/github.com/xanzy/go-gitlab/pipelines.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_badges.go b/vendor/github.com/xanzy/go-gitlab/project_badges.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_clusters.go b/vendor/github.com/xanzy/go-gitlab/project_clusters.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_import_export.go b/vendor/github.com/xanzy/go-gitlab/project_import_export.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_members.go b/vendor/github.com/xanzy/go-gitlab/project_members.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_snippets.go b/vendor/github.com/xanzy/go-gitlab/project_snippets.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/project_variables.go b/vendor/github.com/xanzy/go-gitlab/project_variables.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/projects.go b/vendor/github.com/xanzy/go-gitlab/projects.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/protected_branches.go b/vendor/github.com/xanzy/go-gitlab/protected_branches.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/protected_tags.go b/vendor/github.com/xanzy/go-gitlab/protected_tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/registry.go b/vendor/github.com/xanzy/go-gitlab/registry.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/releaselinks.go b/vendor/github.com/xanzy/go-gitlab/releaselinks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/releases.go b/vendor/github.com/xanzy/go-gitlab/releases.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/repositories.go b/vendor/github.com/xanzy/go-gitlab/repositories.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/repository_files.go b/vendor/github.com/xanzy/go-gitlab/repository_files.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/request_options.go b/vendor/github.com/xanzy/go-gitlab/request_options.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/resource_label_events.go b/vendor/github.com/xanzy/go-gitlab/resource_label_events.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/runners.go b/vendor/github.com/xanzy/go-gitlab/runners.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/search.go b/vendor/github.com/xanzy/go-gitlab/search.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/services.go b/vendor/github.com/xanzy/go-gitlab/services.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/settings.go b/vendor/github.com/xanzy/go-gitlab/settings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/sidekiq_metrics.go b/vendor/github.com/xanzy/go-gitlab/sidekiq_metrics.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/snippets.go b/vendor/github.com/xanzy/go-gitlab/snippets.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/strings.go b/vendor/github.com/xanzy/go-gitlab/strings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/system_hooks.go b/vendor/github.com/xanzy/go-gitlab/system_hooks.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/tags.go b/vendor/github.com/xanzy/go-gitlab/tags.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/time_stats.go b/vendor/github.com/xanzy/go-gitlab/time_stats.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/todos.go b/vendor/github.com/xanzy/go-gitlab/todos.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/users.go b/vendor/github.com/xanzy/go-gitlab/users.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/validate.go b/vendor/github.com/xanzy/go-gitlab/validate.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/version.go b/vendor/github.com/xanzy/go-gitlab/version.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/go-gitlab/wikis.go b/vendor/github.com/xanzy/go-gitlab/wikis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/.gitignore b/vendor/github.com/xanzy/ssh-agent/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/LICENSE b/vendor/github.com/xanzy/ssh-agent/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/README.md b/vendor/github.com/xanzy/ssh-agent/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/go.mod b/vendor/github.com/xanzy/ssh-agent/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/go.sum b/vendor/github.com/xanzy/ssh-agent/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/pageant_windows.go b/vendor/github.com/xanzy/ssh-agent/pageant_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/sshagent.go b/vendor/github.com/xanzy/ssh-agent/sshagent.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xanzy/ssh-agent/sshagent_windows.go b/vendor/github.com/xanzy/ssh-agent/sshagent_windows.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/.gitignore b/vendor/github.com/xdg/scram/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/.travis.yml b/vendor/github.com/xdg/scram/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/LICENSE b/vendor/github.com/xdg/scram/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/README.md b/vendor/github.com/xdg/scram/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/client.go b/vendor/github.com/xdg/scram/client.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/client_conv.go b/vendor/github.com/xdg/scram/client_conv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/common.go b/vendor/github.com/xdg/scram/common.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/doc.go b/vendor/github.com/xdg/scram/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/parse.go b/vendor/github.com/xdg/scram/parse.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/scram.go b/vendor/github.com/xdg/scram/scram.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/server.go b/vendor/github.com/xdg/scram/server.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/scram/server_conv.go b/vendor/github.com/xdg/scram/server_conv.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/.gitignore b/vendor/github.com/xdg/stringprep/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/.travis.yml b/vendor/github.com/xdg/stringprep/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/LICENSE b/vendor/github.com/xdg/stringprep/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/README.md b/vendor/github.com/xdg/stringprep/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/bidi.go b/vendor/github.com/xdg/stringprep/bidi.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/doc.go b/vendor/github.com/xdg/stringprep/doc.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/error.go b/vendor/github.com/xdg/stringprep/error.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/map.go b/vendor/github.com/xdg/stringprep/map.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/profile.go b/vendor/github.com/xdg/stringprep/profile.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/saslprep.go b/vendor/github.com/xdg/stringprep/saslprep.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/set.go b/vendor/github.com/xdg/stringprep/set.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/xdg/stringprep/tables.go b/vendor/github.com/xdg/stringprep/tables.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/.travis.yml b/vendor/github.com/yohcop/openid-go/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/LICENSE b/vendor/github.com/yohcop/openid-go/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/README.md b/vendor/github.com/yohcop/openid-go/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/discover.go b/vendor/github.com/yohcop/openid-go/discover.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/discovery_cache.go b/vendor/github.com/yohcop/openid-go/discovery_cache.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/getter.go b/vendor/github.com/yohcop/openid-go/getter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/go.mod b/vendor/github.com/yohcop/openid-go/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/go.sum b/vendor/github.com/yohcop/openid-go/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/html_discovery.go b/vendor/github.com/yohcop/openid-go/html_discovery.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/nonce_store.go b/vendor/github.com/yohcop/openid-go/nonce_store.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/normalizer.go b/vendor/github.com/yohcop/openid-go/normalizer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/openid.go b/vendor/github.com/yohcop/openid-go/openid.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/redirect.go b/vendor/github.com/yohcop/openid-go/redirect.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/verify.go b/vendor/github.com/yohcop/openid-go/verify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/xrds.go b/vendor/github.com/yohcop/openid-go/xrds.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yohcop/openid-go/yadis_discovery.go b/vendor/github.com/yohcop/openid-go/yadis_discovery.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/.gitignore b/vendor/github.com/yuin/goldmark-highlighting/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/LICENSE b/vendor/github.com/yuin/goldmark-highlighting/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/README.md b/vendor/github.com/yuin/goldmark-highlighting/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/go.mod b/vendor/github.com/yuin/goldmark-highlighting/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/go.sum b/vendor/github.com/yuin/goldmark-highlighting/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-highlighting/highlighting.go b/vendor/github.com/yuin/goldmark-highlighting/highlighting.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/.gitignore b/vendor/github.com/yuin/goldmark-meta/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/LICENSE b/vendor/github.com/yuin/goldmark-meta/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/README.md b/vendor/github.com/yuin/goldmark-meta/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/go.mod b/vendor/github.com/yuin/goldmark-meta/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/go.sum b/vendor/github.com/yuin/goldmark-meta/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark-meta/meta.go b/vendor/github.com/yuin/goldmark-meta/meta.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/.gitignore b/vendor/github.com/yuin/goldmark/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/LICENSE b/vendor/github.com/yuin/goldmark/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/Makefile b/vendor/github.com/yuin/goldmark/Makefile old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/README.md b/vendor/github.com/yuin/goldmark/README.md old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/ast/ast.go b/vendor/github.com/yuin/goldmark/ast/ast.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/ast/block.go b/vendor/github.com/yuin/goldmark/ast/block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/ast/inline.go b/vendor/github.com/yuin/goldmark/ast/inline.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/ast/definition_list.go b/vendor/github.com/yuin/goldmark/extension/ast/definition_list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/ast/footnote.go b/vendor/github.com/yuin/goldmark/extension/ast/footnote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/ast/strikethrough.go b/vendor/github.com/yuin/goldmark/extension/ast/strikethrough.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/ast/table.go b/vendor/github.com/yuin/goldmark/extension/ast/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/ast/tasklist.go b/vendor/github.com/yuin/goldmark/extension/ast/tasklist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/definition_list.go b/vendor/github.com/yuin/goldmark/extension/definition_list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/footnote.go b/vendor/github.com/yuin/goldmark/extension/footnote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/gfm.go b/vendor/github.com/yuin/goldmark/extension/gfm.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/linkify.go b/vendor/github.com/yuin/goldmark/extension/linkify.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/strikethrough.go b/vendor/github.com/yuin/goldmark/extension/strikethrough.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/table.go b/vendor/github.com/yuin/goldmark/extension/table.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/tasklist.go b/vendor/github.com/yuin/goldmark/extension/tasklist.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/extension/typographer.go b/vendor/github.com/yuin/goldmark/extension/typographer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/go.mod b/vendor/github.com/yuin/goldmark/go.mod old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/go.sum b/vendor/github.com/yuin/goldmark/go.sum old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/markdown.go b/vendor/github.com/yuin/goldmark/markdown.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/attribute.go b/vendor/github.com/yuin/goldmark/parser/attribute.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/atx_heading.go b/vendor/github.com/yuin/goldmark/parser/atx_heading.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/auto_link.go b/vendor/github.com/yuin/goldmark/parser/auto_link.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/blockquote.go b/vendor/github.com/yuin/goldmark/parser/blockquote.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/code_block.go b/vendor/github.com/yuin/goldmark/parser/code_block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/code_span.go b/vendor/github.com/yuin/goldmark/parser/code_span.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/delimiter.go b/vendor/github.com/yuin/goldmark/parser/delimiter.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/emphasis.go b/vendor/github.com/yuin/goldmark/parser/emphasis.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/fcode_block.go b/vendor/github.com/yuin/goldmark/parser/fcode_block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/html_block.go b/vendor/github.com/yuin/goldmark/parser/html_block.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/link.go b/vendor/github.com/yuin/goldmark/parser/link.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/link_ref.go b/vendor/github.com/yuin/goldmark/parser/link_ref.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/list.go b/vendor/github.com/yuin/goldmark/parser/list.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/list_item.go b/vendor/github.com/yuin/goldmark/parser/list_item.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/paragraph.go b/vendor/github.com/yuin/goldmark/parser/paragraph.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/parser.go b/vendor/github.com/yuin/goldmark/parser/parser.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/raw_html.go b/vendor/github.com/yuin/goldmark/parser/raw_html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/setext_headings.go b/vendor/github.com/yuin/goldmark/parser/setext_headings.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/parser/thematic_break.go b/vendor/github.com/yuin/goldmark/parser/thematic_break.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/renderer/html/html.go b/vendor/github.com/yuin/goldmark/renderer/html/html.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/renderer/renderer.go b/vendor/github.com/yuin/goldmark/renderer/renderer.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/text/reader.go b/vendor/github.com/yuin/goldmark/text/reader.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/text/segment.go b/vendor/github.com/yuin/goldmark/text/segment.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/util/html5entities.go b/vendor/github.com/yuin/goldmark/util/html5entities.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/util/unicode_case_folding.go b/vendor/github.com/yuin/goldmark/util/unicode_case_folding.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/util/util.go b/vendor/github.com/yuin/goldmark/util/util.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/util/util_safe.go b/vendor/github.com/yuin/goldmark/util/util_safe.go old mode 100644 new mode 100755 diff --git a/vendor/github.com/yuin/goldmark/util/util_unsafe.go b/vendor/github.com/yuin/goldmark/util/util_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/.gitignore b/vendor/go.etcd.io/bbolt/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/.travis.yml b/vendor/go.etcd.io/bbolt/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/LICENSE b/vendor/go.etcd.io/bbolt/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/Makefile b/vendor/go.etcd.io/bbolt/Makefile old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/README.md b/vendor/go.etcd.io/bbolt/README.md old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_386.go b/vendor/go.etcd.io/bbolt/bolt_386.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_amd64.go b/vendor/go.etcd.io/bbolt/bolt_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_arm.go b/vendor/go.etcd.io/bbolt/bolt_arm.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_arm64.go b/vendor/go.etcd.io/bbolt/bolt_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_linux.go b/vendor/go.etcd.io/bbolt/bolt_linux.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_mips64x.go b/vendor/go.etcd.io/bbolt/bolt_mips64x.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_mipsx.go b/vendor/go.etcd.io/bbolt/bolt_mipsx.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_openbsd.go b/vendor/go.etcd.io/bbolt/bolt_openbsd.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_ppc.go b/vendor/go.etcd.io/bbolt/bolt_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_ppc64.go b/vendor/go.etcd.io/bbolt/bolt_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_ppc64le.go b/vendor/go.etcd.io/bbolt/bolt_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_riscv64.go b/vendor/go.etcd.io/bbolt/bolt_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_s390x.go b/vendor/go.etcd.io/bbolt/bolt_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_unix.go b/vendor/go.etcd.io/bbolt/bolt_unix.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_unix_aix.go b/vendor/go.etcd.io/bbolt/bolt_unix_aix.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_unix_solaris.go b/vendor/go.etcd.io/bbolt/bolt_unix_solaris.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bolt_windows.go b/vendor/go.etcd.io/bbolt/bolt_windows.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/boltsync_unix.go b/vendor/go.etcd.io/bbolt/boltsync_unix.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/bucket.go b/vendor/go.etcd.io/bbolt/bucket.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/cursor.go b/vendor/go.etcd.io/bbolt/cursor.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/db.go b/vendor/go.etcd.io/bbolt/db.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/doc.go b/vendor/go.etcd.io/bbolt/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/errors.go b/vendor/go.etcd.io/bbolt/errors.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/freelist.go b/vendor/go.etcd.io/bbolt/freelist.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/freelist_hmap.go b/vendor/go.etcd.io/bbolt/freelist_hmap.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/go.mod b/vendor/go.etcd.io/bbolt/go.mod old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/go.sum b/vendor/go.etcd.io/bbolt/go.sum old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/node.go b/vendor/go.etcd.io/bbolt/node.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/page.go b/vendor/go.etcd.io/bbolt/page.go old mode 100644 new mode 100755 diff --git a/vendor/go.etcd.io/bbolt/tx.go b/vendor/go.etcd.io/bbolt/tx.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/LICENSE b/vendor/go.mongodb.org/mongo-driver/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bson.go b/vendor/go.mongodb.org/mongo-driver/bson/bson.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bson_1_8.go b/vendor/go.mongodb.org/mongo-driver/bson/bson_1_8.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/bsoncodec.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/bsoncodec.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_decoders.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_decoders.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_encoders.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/default_value_encoders.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/doc.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/mode.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/mode.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/pointer_codec.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/pointer_codec.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/proxy.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/proxy.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/registry.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/registry.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_codec.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_codec.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_tag_parser.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/struct_tag_parser.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/types.go b/vendor/go.mongodb.org/mongo-driver/bson/bsoncodec/types.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/copier.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/copier.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/doc.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_parser.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_parser.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_reader.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_reader.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_tables.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_tables.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_wrappers.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_wrappers.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_writer.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/extjson_writer.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/json_scanner.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/json_scanner.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/mode.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/mode.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/reader.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/reader.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_reader.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_reader.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_writer.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/value_writer.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/writer.go b/vendor/go.mongodb.org/mongo-driver/bson/bsonrw/writer.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/bsontype/bsontype.go b/vendor/go.mongodb.org/mongo-driver/bson/bsontype/bsontype.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/decoder.go b/vendor/go.mongodb.org/mongo-driver/bson/decoder.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/doc.go b/vendor/go.mongodb.org/mongo-driver/bson/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/encoder.go b/vendor/go.mongodb.org/mongo-driver/bson/encoder.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/marshal.go b/vendor/go.mongodb.org/mongo-driver/bson/marshal.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/primitive/decimal.go b/vendor/go.mongodb.org/mongo-driver/bson/primitive/decimal.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/primitive/objectid.go b/vendor/go.mongodb.org/mongo-driver/bson/primitive/objectid.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/primitive/primitive.go b/vendor/go.mongodb.org/mongo-driver/bson/primitive/primitive.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/primitive_codecs.go b/vendor/go.mongodb.org/mongo-driver/bson/primitive_codecs.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/raw.go b/vendor/go.mongodb.org/mongo-driver/bson/raw.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/raw_element.go b/vendor/go.mongodb.org/mongo-driver/bson/raw_element.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/raw_value.go b/vendor/go.mongodb.org/mongo-driver/bson/raw_value.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/registry.go b/vendor/go.mongodb.org/mongo-driver/bson/registry.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/types.go b/vendor/go.mongodb.org/mongo-driver/bson/types.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/bson/unmarshal.go b/vendor/go.mongodb.org/mongo-driver/bson/unmarshal.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/event/monitoring.go b/vendor/go.mongodb.org/mongo-driver/event/monitoring.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/internal/const.go b/vendor/go.mongodb.org/mongo-driver/internal/const.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/internal/error.go b/vendor/go.mongodb.org/mongo-driver/internal/error.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/internal/semaphore.go b/vendor/go.mongodb.org/mongo-driver/internal/semaphore.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/batch_cursor.go b/vendor/go.mongodb.org/mongo-driver/mongo/batch_cursor.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/bulk_write.go b/vendor/go.mongodb.org/mongo-driver/mongo/bulk_write.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/bulk_write_models.go b/vendor/go.mongodb.org/mongo-driver/mongo/bulk_write_models.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/change_stream.go b/vendor/go.mongodb.org/mongo-driver/mongo/change_stream.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/client.go b/vendor/go.mongodb.org/mongo-driver/mongo/client.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/collection.go b/vendor/go.mongodb.org/mongo-driver/mongo/collection.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/cursor.go b/vendor/go.mongodb.org/mongo-driver/mongo/cursor.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/database.go b/vendor/go.mongodb.org/mongo-driver/mongo/database.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/doc.go b/vendor/go.mongodb.org/mongo-driver/mongo/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/errors.go b/vendor/go.mongodb.org/mongo-driver/mongo/errors.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/index_options_builder.go b/vendor/go.mongodb.org/mongo-driver/mongo/index_options_builder.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/index_view.go b/vendor/go.mongodb.org/mongo-driver/mongo/index_view.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/mongo.go b/vendor/go.mongodb.org/mongo-driver/mongo/mongo.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/aggregateoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/aggregateoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/bulkwriteoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/bulkwriteoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/changestreamoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/changestreamoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_10.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_10.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_9.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/clientoptions_1_9.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/collectionoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/collectionoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/countoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/countoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/dboptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/dboptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/deleteoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/deleteoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/distinctoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/distinctoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/estimatedcountoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/estimatedcountoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/findoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/findoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/gridfsoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/gridfsoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/indexoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/indexoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/insertoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/insertoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/listcollectionsoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/listcollectionsoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/listdatabasesoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/listdatabasesoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/mongooptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/mongooptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/replaceoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/replaceoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/runcmdoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/runcmdoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/sessionoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/sessionoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/transactionoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/transactionoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/options/updateoptions.go b/vendor/go.mongodb.org/mongo-driver/mongo/options/updateoptions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/readconcern/readconcern.go b/vendor/go.mongodb.org/mongo-driver/mongo/readconcern/readconcern.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/readpref/mode.go b/vendor/go.mongodb.org/mongo-driver/mongo/readpref/mode.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/readpref/options.go b/vendor/go.mongodb.org/mongo-driver/mongo/readpref/options.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/readpref/readpref.go b/vendor/go.mongodb.org/mongo-driver/mongo/readpref/readpref.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/results.go b/vendor/go.mongodb.org/mongo-driver/mongo/results.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/session.go b/vendor/go.mongodb.org/mongo-driver/mongo/session.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/single_result.go b/vendor/go.mongodb.org/mongo-driver/mongo/single_result.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/util.go b/vendor/go.mongodb.org/mongo-driver/mongo/util.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/mongo/writeconcern/writeconcern.go b/vendor/go.mongodb.org/mongo-driver/mongo/writeconcern/writeconcern.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/tag/tag.go b/vendor/go.mongodb.org/mongo-driver/tag/tag.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/version/version.go b/vendor/go.mongodb.org/mongo-driver/version/version.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/array.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/array.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/bsoncore.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/bsoncore.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document_sequence.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/document_sequence.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/element.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/element.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/tables.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/tables.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/value.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/bsoncore/value.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/constructor.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/constructor.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/document.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/document.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/element.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/element.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/mdocument.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/mdocument.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/primitive_codecs.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/primitive_codecs.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/registry.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/registry.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/bsonx/value.go b/vendor/go.mongodb.org/mongo-driver/x/bsonx/value.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/DESIGN.md b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/DESIGN.md old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/address/addr.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/address/addr.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/auth.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/auth.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/cred.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/cred.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/default.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/default.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/doc.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_enabled.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_enabled.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_supported.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/gssapi_not_supported.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.c b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.c old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.h b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/gss_wrapper.h old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.c b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.c old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.h b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/internal/gssapi/sspi_wrapper.h old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/mongodbcr.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/mongodbcr.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/plain.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/plain.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/sasl.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/sasl.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/scram.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/scram.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/util.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/util.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/x509.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/auth/x509.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batch_cursor.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batch_cursor.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batches.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/batches.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/connstring/connstring.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/connstring/connstring.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/description.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/description.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/feature.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/feature.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_kind.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_kind.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_selector.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/server_selector.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology_kind.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/topology_kind.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version_range.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/description/version_range.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/dns/dns.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/dns/dns.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/driver.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/driver.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/errors.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/errors.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/legacy.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/legacy.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/list_collections_batch_cursor.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/list_collections_batch_cursor.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/abort_transaction.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/aggregate.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/command.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/command.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/commit_transaction.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/count.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/createIndexes.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/delete.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/distinct.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_collection.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_database.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/drop_indexes.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/end_sessions.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/find_and_modify.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/insert.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/ismaster.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/ismaster.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/listDatabases.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_collections.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/list_indexes.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/operation.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/operation.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.toml b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation/update.toml old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation_legacy.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/operation_legacy.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/client_session.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/client_session.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/cluster_clock.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/cluster_clock.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/options.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/options.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/server_session.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/server_session.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/session_pool.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/session/session_pool.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/DESIGN.md b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/DESIGN.md old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy_command_metadata.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_legacy_command_metadata.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_options.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/connection_options.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/errors.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/errors.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/fsm.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/fsm.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/pool.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/pool.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/resource_pool.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/resource_pool.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server_options.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/server_options.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_10.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_10.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_9.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/topology/topology_options_1_9.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/uuid/uuid.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/uuid/uuid.go old mode 100644 new mode 100755 diff --git a/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/wiremessage/wiremessage.go b/vendor/go.mongodb.org/mongo-driver/x/mongo/driver/wiremessage/wiremessage.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/.gitignore b/vendor/go.opencensus.io/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/.travis.yml b/vendor/go.opencensus.io/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/AUTHORS b/vendor/go.opencensus.io/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/CONTRIBUTING.md b/vendor/go.opencensus.io/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/Gopkg.lock b/vendor/go.opencensus.io/Gopkg.lock old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/Gopkg.toml b/vendor/go.opencensus.io/Gopkg.toml old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/LICENSE b/vendor/go.opencensus.io/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/Makefile b/vendor/go.opencensus.io/Makefile old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/README.md b/vendor/go.opencensus.io/README.md old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/appveyor.yml b/vendor/go.opencensus.io/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/go.mod b/vendor/go.opencensus.io/go.mod old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/go.sum b/vendor/go.opencensus.io/go.sum old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/internal/internal.go b/vendor/go.opencensus.io/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/internal/sanitize.go b/vendor/go.opencensus.io/internal/sanitize.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/internal/tagencoding/tagencoding.go b/vendor/go.opencensus.io/internal/tagencoding/tagencoding.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/internal/traceinternals.go b/vendor/go.opencensus.io/internal/traceinternals.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/doc.go b/vendor/go.opencensus.io/metric/metricdata/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/exemplar.go b/vendor/go.opencensus.io/metric/metricdata/exemplar.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/label.go b/vendor/go.opencensus.io/metric/metricdata/label.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/metric.go b/vendor/go.opencensus.io/metric/metricdata/metric.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/point.go b/vendor/go.opencensus.io/metric/metricdata/point.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/type_string.go b/vendor/go.opencensus.io/metric/metricdata/type_string.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricdata/unit.go b/vendor/go.opencensus.io/metric/metricdata/unit.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricproducer/manager.go b/vendor/go.opencensus.io/metric/metricproducer/manager.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/metric/metricproducer/producer.go b/vendor/go.opencensus.io/metric/metricproducer/producer.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/opencensus.go b/vendor/go.opencensus.io/opencensus.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/client.go b/vendor/go.opencensus.io/plugin/ocgrpc/client.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/client_metrics.go b/vendor/go.opencensus.io/plugin/ocgrpc/client_metrics.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/client_stats_handler.go b/vendor/go.opencensus.io/plugin/ocgrpc/client_stats_handler.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/doc.go b/vendor/go.opencensus.io/plugin/ocgrpc/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/server.go b/vendor/go.opencensus.io/plugin/ocgrpc/server.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/server_metrics.go b/vendor/go.opencensus.io/plugin/ocgrpc/server_metrics.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/server_stats_handler.go b/vendor/go.opencensus.io/plugin/ocgrpc/server_stats_handler.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/stats_common.go b/vendor/go.opencensus.io/plugin/ocgrpc/stats_common.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ocgrpc/trace_common.go b/vendor/go.opencensus.io/plugin/ocgrpc/trace_common.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/client.go b/vendor/go.opencensus.io/plugin/ochttp/client.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/client_stats.go b/vendor/go.opencensus.io/plugin/ochttp/client_stats.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/doc.go b/vendor/go.opencensus.io/plugin/ochttp/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/propagation/b3/b3.go b/vendor/go.opencensus.io/plugin/ochttp/propagation/b3/b3.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/route.go b/vendor/go.opencensus.io/plugin/ochttp/route.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/server.go b/vendor/go.opencensus.io/plugin/ochttp/server.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/span_annotating_client_trace.go b/vendor/go.opencensus.io/plugin/ochttp/span_annotating_client_trace.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/stats.go b/vendor/go.opencensus.io/plugin/ochttp/stats.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/trace.go b/vendor/go.opencensus.io/plugin/ochttp/trace.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/plugin/ochttp/wrapped_body.go b/vendor/go.opencensus.io/plugin/ochttp/wrapped_body.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/resource/resource.go b/vendor/go.opencensus.io/resource/resource.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/doc.go b/vendor/go.opencensus.io/stats/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/internal/record.go b/vendor/go.opencensus.io/stats/internal/record.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/measure.go b/vendor/go.opencensus.io/stats/measure.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/measure_float64.go b/vendor/go.opencensus.io/stats/measure_float64.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/measure_int64.go b/vendor/go.opencensus.io/stats/measure_int64.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/record.go b/vendor/go.opencensus.io/stats/record.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/units.go b/vendor/go.opencensus.io/stats/units.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/aggregation.go b/vendor/go.opencensus.io/stats/view/aggregation.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/aggregation_data.go b/vendor/go.opencensus.io/stats/view/aggregation_data.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/collector.go b/vendor/go.opencensus.io/stats/view/collector.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/doc.go b/vendor/go.opencensus.io/stats/view/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/export.go b/vendor/go.opencensus.io/stats/view/export.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/view.go b/vendor/go.opencensus.io/stats/view/view.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/view_to_metric.go b/vendor/go.opencensus.io/stats/view/view_to_metric.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/worker.go b/vendor/go.opencensus.io/stats/view/worker.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/stats/view/worker_commands.go b/vendor/go.opencensus.io/stats/view/worker_commands.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/context.go b/vendor/go.opencensus.io/tag/context.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/doc.go b/vendor/go.opencensus.io/tag/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/key.go b/vendor/go.opencensus.io/tag/key.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/map.go b/vendor/go.opencensus.io/tag/map.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/map_codec.go b/vendor/go.opencensus.io/tag/map_codec.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/metadata.go b/vendor/go.opencensus.io/tag/metadata.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/profile_19.go b/vendor/go.opencensus.io/tag/profile_19.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/profile_not19.go b/vendor/go.opencensus.io/tag/profile_not19.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/tag/validate.go b/vendor/go.opencensus.io/tag/validate.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/basetypes.go b/vendor/go.opencensus.io/trace/basetypes.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/config.go b/vendor/go.opencensus.io/trace/config.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/doc.go b/vendor/go.opencensus.io/trace/doc.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/evictedqueue.go b/vendor/go.opencensus.io/trace/evictedqueue.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/export.go b/vendor/go.opencensus.io/trace/export.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/internal/internal.go b/vendor/go.opencensus.io/trace/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/lrumap.go b/vendor/go.opencensus.io/trace/lrumap.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/propagation/propagation.go b/vendor/go.opencensus.io/trace/propagation/propagation.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/sampling.go b/vendor/go.opencensus.io/trace/sampling.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/spanbucket.go b/vendor/go.opencensus.io/trace/spanbucket.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/spanstore.go b/vendor/go.opencensus.io/trace/spanstore.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/status_codes.go b/vendor/go.opencensus.io/trace/status_codes.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/trace.go b/vendor/go.opencensus.io/trace/trace.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/trace_go11.go b/vendor/go.opencensus.io/trace/trace_go11.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/trace_nongo11.go b/vendor/go.opencensus.io/trace/trace_nongo11.go old mode 100644 new mode 100755 diff --git a/vendor/go.opencensus.io/trace/tracestate/tracestate.go b/vendor/go.opencensus.io/trace/tracestate/tracestate.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/AUTHORS b/vendor/golang.org/x/crypto/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/CONTRIBUTORS b/vendor/golang.org/x/crypto/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/LICENSE b/vendor/golang.org/x/crypto/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/PATENTS b/vendor/golang.org/x/crypto/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/acme.go b/vendor/golang.org/x/crypto/acme/acme.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/autocert/autocert.go b/vendor/golang.org/x/crypto/acme/autocert/autocert.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/autocert/cache.go b/vendor/golang.org/x/crypto/acme/autocert/cache.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/autocert/listener.go b/vendor/golang.org/x/crypto/acme/autocert/listener.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/autocert/renewal.go b/vendor/golang.org/x/crypto/acme/autocert/renewal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/http.go b/vendor/golang.org/x/crypto/acme/http.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/jws.go b/vendor/golang.org/x/crypto/acme/jws.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/rfc8555.go b/vendor/golang.org/x/crypto/acme/rfc8555.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/types.go b/vendor/golang.org/x/crypto/acme/types.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/acme/version_go112.go b/vendor/golang.org/x/crypto/acme/version_go112.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/argon2.go b/vendor/golang.org/x/crypto/argon2/argon2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/blake2b.go b/vendor/golang.org/x/crypto/argon2/blake2b.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/blamka_amd64.go b/vendor/golang.org/x/crypto/argon2/blamka_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/blamka_amd64.s b/vendor/golang.org/x/crypto/argon2/blamka_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/blamka_generic.go b/vendor/golang.org/x/crypto/argon2/blamka_generic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/argon2/blamka_ref.go b/vendor/golang.org/x/crypto/argon2/blamka_ref.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/bcrypt/base64.go b/vendor/golang.org/x/crypto/bcrypt/base64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/bcrypt/bcrypt.go b/vendor/golang.org/x/crypto/bcrypt/bcrypt.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2b.go b/vendor/golang.org/x/crypto/blake2b/blake2b.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.go b/vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.s b/vendor/golang.org/x/crypto/blake2b/blake2bAVX2_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2b_amd64.go b/vendor/golang.org/x/crypto/blake2b/blake2b_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2b_amd64.s b/vendor/golang.org/x/crypto/blake2b/blake2b_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2b_generic.go b/vendor/golang.org/x/crypto/blake2b/blake2b_generic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2b_ref.go b/vendor/golang.org/x/crypto/blake2b/blake2b_ref.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/blake2x.go b/vendor/golang.org/x/crypto/blake2b/blake2x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blake2b/register.go b/vendor/golang.org/x/crypto/blake2b/register.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blowfish/block.go b/vendor/golang.org/x/crypto/blowfish/block.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blowfish/cipher.go b/vendor/golang.org/x/crypto/blowfish/cipher.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/blowfish/const.go b/vendor/golang.org/x/crypto/blowfish/const.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/cast5/cast5.go b/vendor/golang.org/x/crypto/cast5/cast5.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_arm64.go b/vendor/golang.org/x/crypto/chacha20/chacha_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_arm64.s b/vendor/golang.org/x/crypto/chacha20/chacha_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_generic.go b/vendor/golang.org/x/crypto/chacha20/chacha_generic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_noasm.go b/vendor/golang.org/x/crypto/chacha20/chacha_noasm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.go b/vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.s b/vendor/golang.org/x/crypto/chacha20/chacha_ppc64le.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_s390x.go b/vendor/golang.org/x/crypto/chacha20/chacha_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/chacha_s390x.s b/vendor/golang.org/x/crypto/chacha20/chacha_s390x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/chacha20/xor.go b/vendor/golang.org/x/crypto/chacha20/xor.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/curve25519/curve25519.go b/vendor/golang.org/x/crypto/curve25519/curve25519.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/curve25519/curve25519_amd64.go b/vendor/golang.org/x/crypto/curve25519/curve25519_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/curve25519/curve25519_amd64.s b/vendor/golang.org/x/crypto/curve25519/curve25519_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/curve25519/curve25519_generic.go b/vendor/golang.org/x/crypto/curve25519/curve25519_generic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/curve25519/curve25519_noasm.go b/vendor/golang.org/x/crypto/curve25519/curve25519_noasm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ed25519/ed25519.go b/vendor/golang.org/x/crypto/ed25519/ed25519.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ed25519/ed25519_go113.go b/vendor/golang.org/x/crypto/ed25519/ed25519_go113.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ed25519/internal/edwards25519/const.go b/vendor/golang.org/x/crypto/ed25519/internal/edwards25519/const.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ed25519/internal/edwards25519/edwards25519.go b/vendor/golang.org/x/crypto/ed25519/internal/edwards25519/edwards25519.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/internal/subtle/aliasing.go b/vendor/golang.org/x/crypto/internal/subtle/aliasing.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/internal/subtle/aliasing_appengine.go b/vendor/golang.org/x/crypto/internal/subtle/aliasing_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/md4/md4.go b/vendor/golang.org/x/crypto/md4/md4.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/md4/md4block.go b/vendor/golang.org/x/crypto/md4/md4block.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/armor/armor.go b/vendor/golang.org/x/crypto/openpgp/armor/armor.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/armor/encode.go b/vendor/golang.org/x/crypto/openpgp/armor/encode.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/canonical_text.go b/vendor/golang.org/x/crypto/openpgp/canonical_text.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/elgamal/elgamal.go b/vendor/golang.org/x/crypto/openpgp/elgamal/elgamal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/errors/errors.go b/vendor/golang.org/x/crypto/openpgp/errors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/keys.go b/vendor/golang.org/x/crypto/openpgp/keys.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/compressed.go b/vendor/golang.org/x/crypto/openpgp/packet/compressed.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/config.go b/vendor/golang.org/x/crypto/openpgp/packet/config.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/encrypted_key.go b/vendor/golang.org/x/crypto/openpgp/packet/encrypted_key.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/literal.go b/vendor/golang.org/x/crypto/openpgp/packet/literal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/ocfb.go b/vendor/golang.org/x/crypto/openpgp/packet/ocfb.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/one_pass_signature.go b/vendor/golang.org/x/crypto/openpgp/packet/one_pass_signature.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/opaque.go b/vendor/golang.org/x/crypto/openpgp/packet/opaque.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/packet.go b/vendor/golang.org/x/crypto/openpgp/packet/packet.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/private_key.go b/vendor/golang.org/x/crypto/openpgp/packet/private_key.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/public_key.go b/vendor/golang.org/x/crypto/openpgp/packet/public_key.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/public_key_v3.go b/vendor/golang.org/x/crypto/openpgp/packet/public_key_v3.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/reader.go b/vendor/golang.org/x/crypto/openpgp/packet/reader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/signature.go b/vendor/golang.org/x/crypto/openpgp/packet/signature.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/signature_v3.go b/vendor/golang.org/x/crypto/openpgp/packet/signature_v3.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/symmetric_key_encrypted.go b/vendor/golang.org/x/crypto/openpgp/packet/symmetric_key_encrypted.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/symmetrically_encrypted.go b/vendor/golang.org/x/crypto/openpgp/packet/symmetrically_encrypted.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/userattribute.go b/vendor/golang.org/x/crypto/openpgp/packet/userattribute.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/packet/userid.go b/vendor/golang.org/x/crypto/openpgp/packet/userid.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/read.go b/vendor/golang.org/x/crypto/openpgp/read.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/s2k/s2k.go b/vendor/golang.org/x/crypto/openpgp/s2k/s2k.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/openpgp/write.go b/vendor/golang.org/x/crypto/openpgp/write.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/pbkdf2/pbkdf2.go b/vendor/golang.org/x/crypto/pbkdf2/pbkdf2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/bits_compat.go b/vendor/golang.org/x/crypto/poly1305/bits_compat.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/bits_go1.13.go b/vendor/golang.org/x/crypto/poly1305/bits_go1.13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/mac_noasm.go b/vendor/golang.org/x/crypto/poly1305/mac_noasm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/poly1305.go b/vendor/golang.org/x/crypto/poly1305/poly1305.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_amd64.go b/vendor/golang.org/x/crypto/poly1305/sum_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_amd64.s b/vendor/golang.org/x/crypto/poly1305/sum_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_generic.go b/vendor/golang.org/x/crypto/poly1305/sum_generic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_ppc64le.go b/vendor/golang.org/x/crypto/poly1305/sum_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_ppc64le.s b/vendor/golang.org/x/crypto/poly1305/sum_ppc64le.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_s390x.go b/vendor/golang.org/x/crypto/poly1305/sum_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/poly1305/sum_s390x.s b/vendor/golang.org/x/crypto/poly1305/sum_s390x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/scrypt/scrypt.go b/vendor/golang.org/x/crypto/scrypt/scrypt.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/agent/client.go b/vendor/golang.org/x/crypto/ssh/agent/client.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/agent/forward.go b/vendor/golang.org/x/crypto/ssh/agent/forward.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/agent/keyring.go b/vendor/golang.org/x/crypto/ssh/agent/keyring.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/agent/server.go b/vendor/golang.org/x/crypto/ssh/agent/server.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/buffer.go b/vendor/golang.org/x/crypto/ssh/buffer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/certs.go b/vendor/golang.org/x/crypto/ssh/certs.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/channel.go b/vendor/golang.org/x/crypto/ssh/channel.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/cipher.go b/vendor/golang.org/x/crypto/ssh/cipher.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/client.go b/vendor/golang.org/x/crypto/ssh/client.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/client_auth.go b/vendor/golang.org/x/crypto/ssh/client_auth.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/common.go b/vendor/golang.org/x/crypto/ssh/common.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/connection.go b/vendor/golang.org/x/crypto/ssh/connection.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/doc.go b/vendor/golang.org/x/crypto/ssh/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/handshake.go b/vendor/golang.org/x/crypto/ssh/handshake.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/internal/bcrypt_pbkdf/bcrypt_pbkdf.go b/vendor/golang.org/x/crypto/ssh/internal/bcrypt_pbkdf/bcrypt_pbkdf.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/kex.go b/vendor/golang.org/x/crypto/ssh/kex.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/keys.go b/vendor/golang.org/x/crypto/ssh/keys.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/knownhosts/knownhosts.go b/vendor/golang.org/x/crypto/ssh/knownhosts/knownhosts.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/mac.go b/vendor/golang.org/x/crypto/ssh/mac.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/messages.go b/vendor/golang.org/x/crypto/ssh/messages.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/mux.go b/vendor/golang.org/x/crypto/ssh/mux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/server.go b/vendor/golang.org/x/crypto/ssh/server.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/session.go b/vendor/golang.org/x/crypto/ssh/session.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/ssh_gss.go b/vendor/golang.org/x/crypto/ssh/ssh_gss.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/streamlocal.go b/vendor/golang.org/x/crypto/ssh/streamlocal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/tcpip.go b/vendor/golang.org/x/crypto/ssh/tcpip.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/crypto/ssh/transport.go b/vendor/golang.org/x/crypto/ssh/transport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/AUTHORS b/vendor/golang.org/x/image/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/CONTRIBUTORS b/vendor/golang.org/x/image/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/LICENSE b/vendor/golang.org/x/image/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/PATENTS b/vendor/golang.org/x/image/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/bmp/reader.go b/vendor/golang.org/x/image/bmp/reader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/bmp/writer.go b/vendor/golang.org/x/image/bmp/writer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/ccitt/reader.go b/vendor/golang.org/x/image/ccitt/reader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/ccitt/table.go b/vendor/golang.org/x/image/ccitt/table.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/ccitt/writer.go b/vendor/golang.org/x/image/ccitt/writer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/buffer.go b/vendor/golang.org/x/image/tiff/buffer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/compress.go b/vendor/golang.org/x/image/tiff/compress.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/consts.go b/vendor/golang.org/x/image/tiff/consts.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/fuzz.go b/vendor/golang.org/x/image/tiff/fuzz.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/lzw/reader.go b/vendor/golang.org/x/image/tiff/lzw/reader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/reader.go b/vendor/golang.org/x/image/tiff/reader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/image/tiff/writer.go b/vendor/golang.org/x/image/tiff/writer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/mod/LICENSE b/vendor/golang.org/x/mod/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/mod/PATENTS b/vendor/golang.org/x/mod/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/mod/module/module.go b/vendor/golang.org/x/mod/module/module.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/mod/semver/semver.go b/vendor/golang.org/x/mod/semver/semver.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/AUTHORS b/vendor/golang.org/x/net/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/CONTRIBUTORS b/vendor/golang.org/x/net/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/LICENSE b/vendor/golang.org/x/net/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/PATENTS b/vendor/golang.org/x/net/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/context.go b/vendor/golang.org/x/net/context/context.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go b/vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/go17.go b/vendor/golang.org/x/net/context/go17.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/go19.go b/vendor/golang.org/x/net/context/go19.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/pre_go17.go b/vendor/golang.org/x/net/context/pre_go17.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/context/pre_go19.go b/vendor/golang.org/x/net/context/pre_go19.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/atom/atom.go b/vendor/golang.org/x/net/html/atom/atom.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/atom/table.go b/vendor/golang.org/x/net/html/atom/table.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/charset/charset.go b/vendor/golang.org/x/net/html/charset/charset.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/const.go b/vendor/golang.org/x/net/html/const.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/doc.go b/vendor/golang.org/x/net/html/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/doctype.go b/vendor/golang.org/x/net/html/doctype.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/entity.go b/vendor/golang.org/x/net/html/entity.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/escape.go b/vendor/golang.org/x/net/html/escape.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/foreign.go b/vendor/golang.org/x/net/html/foreign.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/node.go b/vendor/golang.org/x/net/html/node.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/parse.go b/vendor/golang.org/x/net/html/parse.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/render.go b/vendor/golang.org/x/net/html/render.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/html/token.go b/vendor/golang.org/x/net/html/token.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http/httpguts/guts.go b/vendor/golang.org/x/net/http/httpguts/guts.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http/httpguts/httplex.go b/vendor/golang.org/x/net/http/httpguts/httplex.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/.gitignore b/vendor/golang.org/x/net/http2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/Dockerfile b/vendor/golang.org/x/net/http2/Dockerfile old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/Makefile b/vendor/golang.org/x/net/http2/Makefile old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/README b/vendor/golang.org/x/net/http2/README old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/ciphers.go b/vendor/golang.org/x/net/http2/ciphers.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/client_conn_pool.go b/vendor/golang.org/x/net/http2/client_conn_pool.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/databuffer.go b/vendor/golang.org/x/net/http2/databuffer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/errors.go b/vendor/golang.org/x/net/http2/errors.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/flow.go b/vendor/golang.org/x/net/http2/flow.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/frame.go b/vendor/golang.org/x/net/http2/frame.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/go111.go b/vendor/golang.org/x/net/http2/go111.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/gotrack.go b/vendor/golang.org/x/net/http2/gotrack.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/headermap.go b/vendor/golang.org/x/net/http2/headermap.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/hpack/encode.go b/vendor/golang.org/x/net/http2/hpack/encode.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/hpack/hpack.go b/vendor/golang.org/x/net/http2/hpack/hpack.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/hpack/huffman.go b/vendor/golang.org/x/net/http2/hpack/huffman.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/hpack/tables.go b/vendor/golang.org/x/net/http2/hpack/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/http2.go b/vendor/golang.org/x/net/http2/http2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/not_go111.go b/vendor/golang.org/x/net/http2/not_go111.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/pipe.go b/vendor/golang.org/x/net/http2/pipe.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/server.go b/vendor/golang.org/x/net/http2/server.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/transport.go b/vendor/golang.org/x/net/http2/transport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/write.go b/vendor/golang.org/x/net/http2/write.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/writesched.go b/vendor/golang.org/x/net/http2/writesched.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/writesched_priority.go b/vendor/golang.org/x/net/http2/writesched_priority.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/http2/writesched_random.go b/vendor/golang.org/x/net/http2/writesched_random.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/idna10.0.0.go b/vendor/golang.org/x/net/idna/idna10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/idna9.0.0.go b/vendor/golang.org/x/net/idna/idna9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/punycode.go b/vendor/golang.org/x/net/idna/punycode.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/tables10.0.0.go b/vendor/golang.org/x/net/idna/tables10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/tables11.0.0.go b/vendor/golang.org/x/net/idna/tables11.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/tables12.00.go b/vendor/golang.org/x/net/idna/tables12.00.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/tables9.0.0.go b/vendor/golang.org/x/net/idna/tables9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/trie.go b/vendor/golang.org/x/net/idna/trie.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/idna/trieval.go b/vendor/golang.org/x/net/idna/trieval.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/internal/socks/client.go b/vendor/golang.org/x/net/internal/socks/client.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/internal/socks/socks.go b/vendor/golang.org/x/net/internal/socks/socks.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/internal/timeseries/timeseries.go b/vendor/golang.org/x/net/internal/timeseries/timeseries.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/proxy/dial.go b/vendor/golang.org/x/net/proxy/dial.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/proxy/direct.go b/vendor/golang.org/x/net/proxy/direct.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/proxy/per_host.go b/vendor/golang.org/x/net/proxy/per_host.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/proxy/proxy.go b/vendor/golang.org/x/net/proxy/proxy.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/proxy/socks5.go b/vendor/golang.org/x/net/proxy/socks5.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/publicsuffix/list.go b/vendor/golang.org/x/net/publicsuffix/list.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/publicsuffix/table.go b/vendor/golang.org/x/net/publicsuffix/table.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/trace/events.go b/vendor/golang.org/x/net/trace/events.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/trace/histogram.go b/vendor/golang.org/x/net/trace/histogram.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/net/trace/trace.go b/vendor/golang.org/x/net/trace/trace.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/.travis.yml b/vendor/golang.org/x/oauth2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/AUTHORS b/vendor/golang.org/x/oauth2/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/CONTRIBUTING.md b/vendor/golang.org/x/oauth2/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/CONTRIBUTORS b/vendor/golang.org/x/oauth2/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/LICENSE b/vendor/golang.org/x/oauth2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/README.md b/vendor/golang.org/x/oauth2/README.md old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/go.mod b/vendor/golang.org/x/oauth2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/go.sum b/vendor/golang.org/x/oauth2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/appengine.go b/vendor/golang.org/x/oauth2/google/appengine.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/appengine_gen1.go b/vendor/golang.org/x/oauth2/google/appengine_gen1.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/appengine_gen2_flex.go b/vendor/golang.org/x/oauth2/google/appengine_gen2_flex.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/default.go b/vendor/golang.org/x/oauth2/google/default.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/doc.go b/vendor/golang.org/x/oauth2/google/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/google.go b/vendor/golang.org/x/oauth2/google/google.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/jwt.go b/vendor/golang.org/x/oauth2/google/jwt.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/google/sdk.go b/vendor/golang.org/x/oauth2/google/sdk.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/internal/client_appengine.go b/vendor/golang.org/x/oauth2/internal/client_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/internal/doc.go b/vendor/golang.org/x/oauth2/internal/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/internal/oauth2.go b/vendor/golang.org/x/oauth2/internal/oauth2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/internal/token.go b/vendor/golang.org/x/oauth2/internal/token.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/internal/transport.go b/vendor/golang.org/x/oauth2/internal/transport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/jws/jws.go b/vendor/golang.org/x/oauth2/jws/jws.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/jwt/jwt.go b/vendor/golang.org/x/oauth2/jwt/jwt.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/oauth2.go b/vendor/golang.org/x/oauth2/oauth2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/token.go b/vendor/golang.org/x/oauth2/token.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/oauth2/transport.go b/vendor/golang.org/x/oauth2/transport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/AUTHORS b/vendor/golang.org/x/sync/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/CONTRIBUTORS b/vendor/golang.org/x/sync/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/LICENSE b/vendor/golang.org/x/sync/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/PATENTS b/vendor/golang.org/x/sync/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/errgroup/errgroup.go b/vendor/golang.org/x/sync/errgroup/errgroup.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sync/semaphore/semaphore.go b/vendor/golang.org/x/sync/semaphore/semaphore.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/AUTHORS b/vendor/golang.org/x/sys/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/CONTRIBUTORS b/vendor/golang.org/x/sys/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/LICENSE b/vendor/golang.org/x/sys/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/PATENTS b/vendor/golang.org/x/sys/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/asm_aix_ppc64.s b/vendor/golang.org/x/sys/cpu/asm_aix_ppc64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/byteorder.go b/vendor/golang.org/x/sys/cpu/byteorder.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu.go b/vendor/golang.org/x/sys/cpu/cpu.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_aix_ppc64.go b/vendor/golang.org/x/sys/cpu/cpu_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_arm.go b/vendor/golang.org/x/sys/cpu/cpu_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_arm64.go b/vendor/golang.org/x/sys/cpu/cpu_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_arm64.s b/vendor/golang.org/x/sys/cpu/cpu_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gc_arm64.go b/vendor/golang.org/x/sys/cpu/cpu_gc_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gc_s390x.go b/vendor/golang.org/x/sys/cpu/cpu_gc_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gc_x86.go b/vendor/golang.org/x/sys/cpu/cpu_gc_x86.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gccgo_arm64.go b/vendor/golang.org/x/sys/cpu/cpu_gccgo_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gccgo_s390x.go b/vendor/golang.org/x/sys/cpu/cpu_gccgo_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.c b/vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.c old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.go b/vendor/golang.org/x/sys/cpu/cpu_gccgo_x86.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux.go b/vendor/golang.org/x/sys/cpu/cpu_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_arm.go b/vendor/golang.org/x/sys/cpu/cpu_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_arm64.go b/vendor/golang.org/x/sys/cpu/cpu_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_mips64x.go b/vendor/golang.org/x/sys/cpu/cpu_linux_mips64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_noinit.go b/vendor/golang.org/x/sys/cpu/cpu_linux_noinit.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_ppc64x.go b/vendor/golang.org/x/sys/cpu/cpu_linux_ppc64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_linux_s390x.go b/vendor/golang.org/x/sys/cpu/cpu_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_mips64x.go b/vendor/golang.org/x/sys/cpu/cpu_mips64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_mipsx.go b/vendor/golang.org/x/sys/cpu/cpu_mipsx.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_other_arm64.go b/vendor/golang.org/x/sys/cpu/cpu_other_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_riscv64.go b/vendor/golang.org/x/sys/cpu/cpu_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_s390x.s b/vendor/golang.org/x/sys/cpu/cpu_s390x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_wasm.go b/vendor/golang.org/x/sys/cpu/cpu_wasm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_x86.go b/vendor/golang.org/x/sys/cpu/cpu_x86.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/cpu_x86.s b/vendor/golang.org/x/sys/cpu/cpu_x86.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/hwcap_linux.go b/vendor/golang.org/x/sys/cpu/hwcap_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/cpu/syscall_aix_ppc64_gc.go b/vendor/golang.org/x/sys/cpu/syscall_aix_ppc64_gc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/internal/unsafeheader/unsafeheader.go b/vendor/golang.org/x/sys/internal/unsafeheader/unsafeheader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/.gitignore b/vendor/golang.org/x/sys/unix/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/README.md b/vendor/golang.org/x/sys/unix/README.md old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/affinity_linux.go b/vendor/golang.org/x/sys/unix/affinity_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/aliases.go b/vendor/golang.org/x/sys/unix/aliases.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_aix_ppc64.s b/vendor/golang.org/x/sys/unix/asm_aix_ppc64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_darwin_386.s b/vendor/golang.org/x/sys/unix/asm_darwin_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_darwin_amd64.s b/vendor/golang.org/x/sys/unix/asm_darwin_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_darwin_arm.s b/vendor/golang.org/x/sys/unix/asm_darwin_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_darwin_arm64.s b/vendor/golang.org/x/sys/unix/asm_darwin_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_dragonfly_amd64.s b/vendor/golang.org/x/sys/unix/asm_dragonfly_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_freebsd_386.s b/vendor/golang.org/x/sys/unix/asm_freebsd_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_freebsd_amd64.s b/vendor/golang.org/x/sys/unix/asm_freebsd_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_freebsd_arm.s b/vendor/golang.org/x/sys/unix/asm_freebsd_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_freebsd_arm64.s b/vendor/golang.org/x/sys/unix/asm_freebsd_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_386.s b/vendor/golang.org/x/sys/unix/asm_linux_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_amd64.s b/vendor/golang.org/x/sys/unix/asm_linux_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_arm.s b/vendor/golang.org/x/sys/unix/asm_linux_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_arm64.s b/vendor/golang.org/x/sys/unix/asm_linux_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_mips64x.s b/vendor/golang.org/x/sys/unix/asm_linux_mips64x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_mipsx.s b/vendor/golang.org/x/sys/unix/asm_linux_mipsx.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_ppc64x.s b/vendor/golang.org/x/sys/unix/asm_linux_ppc64x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_riscv64.s b/vendor/golang.org/x/sys/unix/asm_linux_riscv64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_linux_s390x.s b/vendor/golang.org/x/sys/unix/asm_linux_s390x.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_netbsd_386.s b/vendor/golang.org/x/sys/unix/asm_netbsd_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_netbsd_amd64.s b/vendor/golang.org/x/sys/unix/asm_netbsd_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_netbsd_arm.s b/vendor/golang.org/x/sys/unix/asm_netbsd_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_netbsd_arm64.s b/vendor/golang.org/x/sys/unix/asm_netbsd_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_openbsd_386.s b/vendor/golang.org/x/sys/unix/asm_openbsd_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_openbsd_amd64.s b/vendor/golang.org/x/sys/unix/asm_openbsd_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_openbsd_arm.s b/vendor/golang.org/x/sys/unix/asm_openbsd_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_openbsd_arm64.s b/vendor/golang.org/x/sys/unix/asm_openbsd_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/asm_solaris_amd64.s b/vendor/golang.org/x/sys/unix/asm_solaris_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/bluetooth_linux.go b/vendor/golang.org/x/sys/unix/bluetooth_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/cap_freebsd.go b/vendor/golang.org/x/sys/unix/cap_freebsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/constants.go b/vendor/golang.org/x/sys/unix/constants.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_aix_ppc.go b/vendor/golang.org/x/sys/unix/dev_aix_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_aix_ppc64.go b/vendor/golang.org/x/sys/unix/dev_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_darwin.go b/vendor/golang.org/x/sys/unix/dev_darwin.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_dragonfly.go b/vendor/golang.org/x/sys/unix/dev_dragonfly.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_freebsd.go b/vendor/golang.org/x/sys/unix/dev_freebsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_linux.go b/vendor/golang.org/x/sys/unix/dev_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_netbsd.go b/vendor/golang.org/x/sys/unix/dev_netbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dev_openbsd.go b/vendor/golang.org/x/sys/unix/dev_openbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/dirent.go b/vendor/golang.org/x/sys/unix/dirent.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/endian_big.go b/vendor/golang.org/x/sys/unix/endian_big.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/endian_little.go b/vendor/golang.org/x/sys/unix/endian_little.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/env_unix.go b/vendor/golang.org/x/sys/unix/env_unix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/errors_freebsd_386.go b/vendor/golang.org/x/sys/unix/errors_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/errors_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/errors_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/errors_freebsd_arm.go b/vendor/golang.org/x/sys/unix/errors_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/errors_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/errors_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/fcntl.go b/vendor/golang.org/x/sys/unix/fcntl.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/fcntl_darwin.go b/vendor/golang.org/x/sys/unix/fcntl_darwin.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/fcntl_linux_32bit.go b/vendor/golang.org/x/sys/unix/fcntl_linux_32bit.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/fdset.go b/vendor/golang.org/x/sys/unix/fdset.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/gccgo.go b/vendor/golang.org/x/sys/unix/gccgo.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/gccgo_c.c b/vendor/golang.org/x/sys/unix/gccgo_c.c old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/gccgo_linux_amd64.go b/vendor/golang.org/x/sys/unix/gccgo_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ioctl.go b/vendor/golang.org/x/sys/unix/ioctl.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/mkall.sh b/vendor/golang.org/x/sys/unix/mkall.sh old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/mkerrors.sh b/vendor/golang.org/x/sys/unix/mkerrors.sh old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/pagesize_unix.go b/vendor/golang.org/x/sys/unix/pagesize_unix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/pledge_openbsd.go b/vendor/golang.org/x/sys/unix/pledge_openbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/race.go b/vendor/golang.org/x/sys/unix/race.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/race0.go b/vendor/golang.org/x/sys/unix/race0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/readdirent_getdents.go b/vendor/golang.org/x/sys/unix/readdirent_getdents.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/readdirent_getdirentries.go b/vendor/golang.org/x/sys/unix/readdirent_getdirentries.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/sockcmsg_dragonfly.go b/vendor/golang.org/x/sys/unix/sockcmsg_dragonfly.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/sockcmsg_linux.go b/vendor/golang.org/x/sys/unix/sockcmsg_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/sockcmsg_unix.go b/vendor/golang.org/x/sys/unix/sockcmsg_unix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/sockcmsg_unix_other.go b/vendor/golang.org/x/sys/unix/sockcmsg_unix_other.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/str.go b/vendor/golang.org/x/sys/unix/str.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall.go b/vendor/golang.org/x/sys/unix/syscall.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_aix.go b/vendor/golang.org/x/sys/unix/syscall_aix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_aix_ppc.go b/vendor/golang.org/x/sys/unix/syscall_aix_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_aix_ppc64.go b/vendor/golang.org/x/sys/unix/syscall_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_bsd.go b/vendor/golang.org/x/sys/unix/syscall_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin.1_12.go b/vendor/golang.org/x/sys/unix/syscall_darwin.1_12.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin.1_13.go b/vendor/golang.org/x/sys/unix/syscall_darwin.1_13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin.go b/vendor/golang.org/x/sys/unix/syscall_darwin.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_386.1_11.go b/vendor/golang.org/x/sys/unix/syscall_darwin_386.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_386.go b/vendor/golang.org/x/sys/unix/syscall_darwin_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_amd64.1_11.go b/vendor/golang.org/x/sys/unix/syscall_darwin_amd64.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_amd64.go b/vendor/golang.org/x/sys/unix/syscall_darwin_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_arm.1_11.go b/vendor/golang.org/x/sys/unix/syscall_darwin_arm.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_arm.go b/vendor/golang.org/x/sys/unix/syscall_darwin_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_arm64.1_11.go b/vendor/golang.org/x/sys/unix/syscall_darwin_arm64.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_arm64.go b/vendor/golang.org/x/sys/unix/syscall_darwin_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_darwin_libSystem.go b/vendor/golang.org/x/sys/unix/syscall_darwin_libSystem.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_dragonfly.go b/vendor/golang.org/x/sys/unix/syscall_dragonfly.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_dragonfly_amd64.go b/vendor/golang.org/x/sys/unix/syscall_dragonfly_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_freebsd.go b/vendor/golang.org/x/sys/unix/syscall_freebsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_freebsd_386.go b/vendor/golang.org/x/sys/unix/syscall_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/syscall_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_freebsd_arm.go b/vendor/golang.org/x/sys/unix/syscall_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/syscall_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_illumos.go b/vendor/golang.org/x/sys/unix/syscall_illumos.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux.go b/vendor/golang.org/x/sys/unix/syscall_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_386.go b/vendor/golang.org/x/sys/unix/syscall_linux_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_amd64.go b/vendor/golang.org/x/sys/unix/syscall_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_amd64_gc.go b/vendor/golang.org/x/sys/unix/syscall_linux_amd64_gc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_arm.go b/vendor/golang.org/x/sys/unix/syscall_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_arm64.go b/vendor/golang.org/x/sys/unix/syscall_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_gc.go b/vendor/golang.org/x/sys/unix/syscall_linux_gc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_gc_386.go b/vendor/golang.org/x/sys/unix/syscall_linux_gc_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_gccgo_386.go b/vendor/golang.org/x/sys/unix/syscall_linux_gccgo_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_gccgo_arm.go b/vendor/golang.org/x/sys/unix/syscall_linux_gccgo_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_mips64x.go b/vendor/golang.org/x/sys/unix/syscall_linux_mips64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_mipsx.go b/vendor/golang.org/x/sys/unix/syscall_linux_mipsx.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_ppc64x.go b/vendor/golang.org/x/sys/unix/syscall_linux_ppc64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_riscv64.go b/vendor/golang.org/x/sys/unix/syscall_linux_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_s390x.go b/vendor/golang.org/x/sys/unix/syscall_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_linux_sparc64.go b/vendor/golang.org/x/sys/unix/syscall_linux_sparc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_netbsd.go b/vendor/golang.org/x/sys/unix/syscall_netbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_netbsd_386.go b/vendor/golang.org/x/sys/unix/syscall_netbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_netbsd_amd64.go b/vendor/golang.org/x/sys/unix/syscall_netbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_netbsd_arm.go b/vendor/golang.org/x/sys/unix/syscall_netbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_netbsd_arm64.go b/vendor/golang.org/x/sys/unix/syscall_netbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_openbsd.go b/vendor/golang.org/x/sys/unix/syscall_openbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_openbsd_386.go b/vendor/golang.org/x/sys/unix/syscall_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/syscall_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_openbsd_arm.go b/vendor/golang.org/x/sys/unix/syscall_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/syscall_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_solaris.go b/vendor/golang.org/x/sys/unix/syscall_solaris.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_solaris_amd64.go b/vendor/golang.org/x/sys/unix/syscall_solaris_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_unix.go b/vendor/golang.org/x/sys/unix/syscall_unix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_unix_gc.go b/vendor/golang.org/x/sys/unix/syscall_unix_gc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/syscall_unix_gc_ppc64x.go b/vendor/golang.org/x/sys/unix/syscall_unix_gc_ppc64x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/timestruct.go b/vendor/golang.org/x/sys/unix/timestruct.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/unveil_openbsd.go b/vendor/golang.org/x/sys/unix/unveil_openbsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/xattr_bsd.go b/vendor/golang.org/x/sys/unix/xattr_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_aix_ppc.go b/vendor/golang.org/x/sys/unix/zerrors_aix_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_aix_ppc64.go b/vendor/golang.org/x/sys/unix/zerrors_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_darwin_386.go b/vendor/golang.org/x/sys/unix/zerrors_darwin_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_darwin_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_darwin_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_darwin_arm.go b/vendor/golang.org/x/sys/unix/zerrors_darwin_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_darwin_arm64.go b/vendor/golang.org/x/sys/unix/zerrors_darwin_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_dragonfly_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_dragonfly_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_freebsd_386.go b/vendor/golang.org/x/sys/unix/zerrors_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_freebsd_arm.go b/vendor/golang.org/x/sys/unix/zerrors_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/zerrors_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux.go b/vendor/golang.org/x/sys/unix/zerrors_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_386.go b/vendor/golang.org/x/sys/unix/zerrors_linux_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_arm.go b/vendor/golang.org/x/sys/unix/zerrors_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_arm64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_mips.go b/vendor/golang.org/x/sys/unix/zerrors_linux_mips.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_mips64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_mips64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_mips64le.go b/vendor/golang.org/x/sys/unix/zerrors_linux_mips64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_mipsle.go b/vendor/golang.org/x/sys/unix/zerrors_linux_mipsle.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_ppc64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_ppc64le.go b/vendor/golang.org/x/sys/unix/zerrors_linux_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_riscv64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_s390x.go b/vendor/golang.org/x/sys/unix/zerrors_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_linux_sparc64.go b/vendor/golang.org/x/sys/unix/zerrors_linux_sparc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_netbsd_386.go b/vendor/golang.org/x/sys/unix/zerrors_netbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_netbsd_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_netbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_netbsd_arm.go b/vendor/golang.org/x/sys/unix/zerrors_netbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_netbsd_arm64.go b/vendor/golang.org/x/sys/unix/zerrors_netbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_openbsd_386.go b/vendor/golang.org/x/sys/unix/zerrors_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_openbsd_arm.go b/vendor/golang.org/x/sys/unix/zerrors_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/zerrors_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zerrors_solaris_amd64.go b/vendor/golang.org/x/sys/unix/zerrors_solaris_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zptrace_armnn_linux.go b/vendor/golang.org/x/sys/unix/zptrace_armnn_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zptrace_linux_arm64.go b/vendor/golang.org/x/sys/unix/zptrace_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zptrace_mipsnn_linux.go b/vendor/golang.org/x/sys/unix/zptrace_mipsnn_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zptrace_mipsnnle_linux.go b/vendor/golang.org/x/sys/unix/zptrace_mipsnnle_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zptrace_x86_linux.go b/vendor/golang.org/x/sys/unix/zptrace_x86_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc.go b/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64.go b/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gc.go b/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gccgo.go b/vendor/golang.org/x/sys/unix/zsyscall_aix_ppc64_gccgo.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_11.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.1_13.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_11.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.1_13.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_11.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.1_13.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_11.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.1_13.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.go b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.s b/vendor/golang.org/x/sys/unix/zsyscall_darwin_arm64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_dragonfly_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_dragonfly_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_freebsd_386.go b/vendor/golang.org/x/sys/unix/zsyscall_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm.go b/vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/zsyscall_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_illumos_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_illumos_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux.go b/vendor/golang.org/x/sys/unix/zsyscall_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_386.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_arm.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_arm64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_mips.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_mips.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_mips64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_mips64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_mips64le.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_mips64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_mipsle.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_mipsle.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64le.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_riscv64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_s390x.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_linux_sparc64.go b/vendor/golang.org/x/sys/unix/zsyscall_linux_sparc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_netbsd_386.go b/vendor/golang.org/x/sys/unix/zsyscall_netbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_netbsd_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_netbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm.go b/vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm64.go b/vendor/golang.org/x/sys/unix/zsyscall_netbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_openbsd_386.go b/vendor/golang.org/x/sys/unix/zsyscall_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm.go b/vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/zsyscall_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsyscall_solaris_amd64.go b/vendor/golang.org/x/sys/unix/zsyscall_solaris_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysctl_openbsd_386.go b/vendor/golang.org/x/sys/unix/zsysctl_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysctl_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/zsysctl_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm.go b/vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/zsysctl_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_darwin_386.go b/vendor/golang.org/x/sys/unix/zsysnum_darwin_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_darwin_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_darwin_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_darwin_arm.go b/vendor/golang.org/x/sys/unix/zsysnum_darwin_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_darwin_arm64.go b/vendor/golang.org/x/sys/unix/zsysnum_darwin_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_dragonfly_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_dragonfly_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_freebsd_386.go b/vendor/golang.org/x/sys/unix/zsysnum_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm.go b/vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/zsysnum_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_386.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_arm.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_arm64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_mips.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_mips.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_mips64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_mips64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_mips64le.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_mips64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_mipsle.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_mipsle.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64le.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_riscv64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_s390x.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_linux_sparc64.go b/vendor/golang.org/x/sys/unix/zsysnum_linux_sparc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_netbsd_386.go b/vendor/golang.org/x/sys/unix/zsysnum_netbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_netbsd_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_netbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm.go b/vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm64.go b/vendor/golang.org/x/sys/unix/zsysnum_netbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_openbsd_386.go b/vendor/golang.org/x/sys/unix/zsysnum_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/zsysnum_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm.go b/vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/zsysnum_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_aix_ppc.go b/vendor/golang.org/x/sys/unix/ztypes_aix_ppc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_aix_ppc64.go b/vendor/golang.org/x/sys/unix/ztypes_aix_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_darwin_386.go b/vendor/golang.org/x/sys/unix/ztypes_darwin_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_darwin_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_darwin_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_darwin_arm.go b/vendor/golang.org/x/sys/unix/ztypes_darwin_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_darwin_arm64.go b/vendor/golang.org/x/sys/unix/ztypes_darwin_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_dragonfly_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_dragonfly_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_freebsd_386.go b/vendor/golang.org/x/sys/unix/ztypes_freebsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_freebsd_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_freebsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_freebsd_arm.go b/vendor/golang.org/x/sys/unix/ztypes_freebsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_freebsd_arm64.go b/vendor/golang.org/x/sys/unix/ztypes_freebsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux.go b/vendor/golang.org/x/sys/unix/ztypes_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_386.go b/vendor/golang.org/x/sys/unix/ztypes_linux_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_arm.go b/vendor/golang.org/x/sys/unix/ztypes_linux_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_arm64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_mips.go b/vendor/golang.org/x/sys/unix/ztypes_linux_mips.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_mips64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_mips64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_mips64le.go b/vendor/golang.org/x/sys/unix/ztypes_linux_mips64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_mipsle.go b/vendor/golang.org/x/sys/unix/ztypes_linux_mipsle.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_ppc64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_ppc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_ppc64le.go b/vendor/golang.org/x/sys/unix/ztypes_linux_ppc64le.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_riscv64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_riscv64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_s390x.go b/vendor/golang.org/x/sys/unix/ztypes_linux_s390x.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_linux_sparc64.go b/vendor/golang.org/x/sys/unix/ztypes_linux_sparc64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_netbsd_386.go b/vendor/golang.org/x/sys/unix/ztypes_netbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_netbsd_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_netbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_netbsd_arm.go b/vendor/golang.org/x/sys/unix/ztypes_netbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_netbsd_arm64.go b/vendor/golang.org/x/sys/unix/ztypes_netbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_openbsd_386.go b/vendor/golang.org/x/sys/unix/ztypes_openbsd_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_openbsd_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_openbsd_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_openbsd_arm.go b/vendor/golang.org/x/sys/unix/ztypes_openbsd_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_openbsd_arm64.go b/vendor/golang.org/x/sys/unix/ztypes_openbsd_arm64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/unix/ztypes_solaris_amd64.go b/vendor/golang.org/x/sys/unix/ztypes_solaris_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/aliases.go b/vendor/golang.org/x/sys/windows/aliases.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/dll_windows.go b/vendor/golang.org/x/sys/windows/dll_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/empty.s b/vendor/golang.org/x/sys/windows/empty.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/env_windows.go b/vendor/golang.org/x/sys/windows/env_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/eventlog.go b/vendor/golang.org/x/sys/windows/eventlog.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/exec_windows.go b/vendor/golang.org/x/sys/windows/exec_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/memory_windows.go b/vendor/golang.org/x/sys/windows/memory_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/mkerrors.bash b/vendor/golang.org/x/sys/windows/mkerrors.bash old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/mkknownfolderids.bash b/vendor/golang.org/x/sys/windows/mkknownfolderids.bash old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/mksyscall.go b/vendor/golang.org/x/sys/windows/mksyscall.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/race.go b/vendor/golang.org/x/sys/windows/race.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/race0.go b/vendor/golang.org/x/sys/windows/race0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/security_windows.go b/vendor/golang.org/x/sys/windows/security_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/service.go b/vendor/golang.org/x/sys/windows/service.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/str.go b/vendor/golang.org/x/sys/windows/str.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/debug/log.go b/vendor/golang.org/x/sys/windows/svc/debug/log.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/debug/service.go b/vendor/golang.org/x/sys/windows/svc/debug/service.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/event.go b/vendor/golang.org/x/sys/windows/svc/event.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/go12.c b/vendor/golang.org/x/sys/windows/svc/go12.c old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/go12.go b/vendor/golang.org/x/sys/windows/svc/go12.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/go13.go b/vendor/golang.org/x/sys/windows/svc/go13.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/security.go b/vendor/golang.org/x/sys/windows/svc/security.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/service.go b/vendor/golang.org/x/sys/windows/svc/service.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/sys_386.s b/vendor/golang.org/x/sys/windows/svc/sys_386.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/sys_amd64.s b/vendor/golang.org/x/sys/windows/svc/sys_amd64.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/svc/sys_arm.s b/vendor/golang.org/x/sys/windows/svc/sys_arm.s old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/syscall.go b/vendor/golang.org/x/sys/windows/syscall.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/syscall_windows.go b/vendor/golang.org/x/sys/windows/syscall_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/types_windows.go b/vendor/golang.org/x/sys/windows/types_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/types_windows_386.go b/vendor/golang.org/x/sys/windows/types_windows_386.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/types_windows_amd64.go b/vendor/golang.org/x/sys/windows/types_windows_amd64.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/types_windows_arm.go b/vendor/golang.org/x/sys/windows/types_windows_arm.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/zerrors_windows.go b/vendor/golang.org/x/sys/windows/zerrors_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/zknownfolderids_windows.go b/vendor/golang.org/x/sys/windows/zknownfolderids_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/sys/windows/zsyscall_windows.go b/vendor/golang.org/x/sys/windows/zsyscall_windows.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/AUTHORS b/vendor/golang.org/x/text/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/CONTRIBUTORS b/vendor/golang.org/x/text/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/LICENSE b/vendor/golang.org/x/text/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/PATENTS b/vendor/golang.org/x/text/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/charmap/charmap.go b/vendor/golang.org/x/text/encoding/charmap/charmap.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/charmap/tables.go b/vendor/golang.org/x/text/encoding/charmap/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/encoding.go b/vendor/golang.org/x/text/encoding/encoding.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/htmlindex/htmlindex.go b/vendor/golang.org/x/text/encoding/htmlindex/htmlindex.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/htmlindex/map.go b/vendor/golang.org/x/text/encoding/htmlindex/map.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/htmlindex/tables.go b/vendor/golang.org/x/text/encoding/htmlindex/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/internal/identifier/identifier.go b/vendor/golang.org/x/text/encoding/internal/identifier/identifier.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/internal/identifier/mib.go b/vendor/golang.org/x/text/encoding/internal/identifier/mib.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/internal/internal.go b/vendor/golang.org/x/text/encoding/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/japanese/all.go b/vendor/golang.org/x/text/encoding/japanese/all.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/japanese/eucjp.go b/vendor/golang.org/x/text/encoding/japanese/eucjp.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/japanese/iso2022jp.go b/vendor/golang.org/x/text/encoding/japanese/iso2022jp.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/japanese/shiftjis.go b/vendor/golang.org/x/text/encoding/japanese/shiftjis.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/japanese/tables.go b/vendor/golang.org/x/text/encoding/japanese/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/korean/euckr.go b/vendor/golang.org/x/text/encoding/korean/euckr.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/korean/tables.go b/vendor/golang.org/x/text/encoding/korean/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/simplifiedchinese/all.go b/vendor/golang.org/x/text/encoding/simplifiedchinese/all.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/simplifiedchinese/gbk.go b/vendor/golang.org/x/text/encoding/simplifiedchinese/gbk.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/simplifiedchinese/hzgb2312.go b/vendor/golang.org/x/text/encoding/simplifiedchinese/hzgb2312.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/simplifiedchinese/tables.go b/vendor/golang.org/x/text/encoding/simplifiedchinese/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/traditionalchinese/big5.go b/vendor/golang.org/x/text/encoding/traditionalchinese/big5.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/traditionalchinese/tables.go b/vendor/golang.org/x/text/encoding/traditionalchinese/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/unicode/override.go b/vendor/golang.org/x/text/encoding/unicode/override.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/encoding/unicode/unicode.go b/vendor/golang.org/x/text/encoding/unicode/unicode.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/common.go b/vendor/golang.org/x/text/internal/language/common.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact.go b/vendor/golang.org/x/text/internal/language/compact.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact/compact.go b/vendor/golang.org/x/text/internal/language/compact/compact.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact/language.go b/vendor/golang.org/x/text/internal/language/compact/language.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact/parents.go b/vendor/golang.org/x/text/internal/language/compact/parents.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact/tables.go b/vendor/golang.org/x/text/internal/language/compact/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compact/tags.go b/vendor/golang.org/x/text/internal/language/compact/tags.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/compose.go b/vendor/golang.org/x/text/internal/language/compose.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/coverage.go b/vendor/golang.org/x/text/internal/language/coverage.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/language.go b/vendor/golang.org/x/text/internal/language/language.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/lookup.go b/vendor/golang.org/x/text/internal/language/lookup.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/match.go b/vendor/golang.org/x/text/internal/language/match.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/parse.go b/vendor/golang.org/x/text/internal/language/parse.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/tables.go b/vendor/golang.org/x/text/internal/language/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/language/tags.go b/vendor/golang.org/x/text/internal/language/tags.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/tag/tag.go b/vendor/golang.org/x/text/internal/tag/tag.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/internal/utf8internal/utf8internal.go b/vendor/golang.org/x/text/internal/utf8internal/utf8internal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/coverage.go b/vendor/golang.org/x/text/language/coverage.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/doc.go b/vendor/golang.org/x/text/language/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/go1_1.go b/vendor/golang.org/x/text/language/go1_1.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/go1_2.go b/vendor/golang.org/x/text/language/go1_2.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/language.go b/vendor/golang.org/x/text/language/language.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/match.go b/vendor/golang.org/x/text/language/match.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/parse.go b/vendor/golang.org/x/text/language/parse.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/tables.go b/vendor/golang.org/x/text/language/tables.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/language/tags.go b/vendor/golang.org/x/text/language/tags.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/runes/cond.go b/vendor/golang.org/x/text/runes/cond.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/runes/runes.go b/vendor/golang.org/x/text/runes/runes.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/secure/bidirule/bidirule.go b/vendor/golang.org/x/text/secure/bidirule/bidirule.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/secure/bidirule/bidirule10.0.0.go b/vendor/golang.org/x/text/secure/bidirule/bidirule10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/secure/bidirule/bidirule9.0.0.go b/vendor/golang.org/x/text/secure/bidirule/bidirule9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/transform/transform.go b/vendor/golang.org/x/text/transform/transform.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/bidi.go b/vendor/golang.org/x/text/unicode/bidi/bidi.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/bracket.go b/vendor/golang.org/x/text/unicode/bidi/bracket.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/core.go b/vendor/golang.org/x/text/unicode/bidi/core.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/prop.go b/vendor/golang.org/x/text/unicode/bidi/prop.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/tables10.0.0.go b/vendor/golang.org/x/text/unicode/bidi/tables10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/tables11.0.0.go b/vendor/golang.org/x/text/unicode/bidi/tables11.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/tables9.0.0.go b/vendor/golang.org/x/text/unicode/bidi/tables9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/bidi/trieval.go b/vendor/golang.org/x/text/unicode/bidi/trieval.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/composition.go b/vendor/golang.org/x/text/unicode/norm/composition.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/forminfo.go b/vendor/golang.org/x/text/unicode/norm/forminfo.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/input.go b/vendor/golang.org/x/text/unicode/norm/input.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/iter.go b/vendor/golang.org/x/text/unicode/norm/iter.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/normalize.go b/vendor/golang.org/x/text/unicode/norm/normalize.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/readwriter.go b/vendor/golang.org/x/text/unicode/norm/readwriter.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/tables10.0.0.go b/vendor/golang.org/x/text/unicode/norm/tables10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/tables11.0.0.go b/vendor/golang.org/x/text/unicode/norm/tables11.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/tables9.0.0.go b/vendor/golang.org/x/text/unicode/norm/tables9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/transform.go b/vendor/golang.org/x/text/unicode/norm/transform.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/unicode/norm/trie.go b/vendor/golang.org/x/text/unicode/norm/trie.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/kind_string.go b/vendor/golang.org/x/text/width/kind_string.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/tables10.0.0.go b/vendor/golang.org/x/text/width/tables10.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/tables11.0.0.go b/vendor/golang.org/x/text/width/tables11.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/tables9.0.0.go b/vendor/golang.org/x/text/width/tables9.0.0.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/transform.go b/vendor/golang.org/x/text/width/transform.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/trieval.go b/vendor/golang.org/x/text/width/trieval.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/text/width/width.go b/vendor/golang.org/x/text/width/width.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/time/AUTHORS b/vendor/golang.org/x/time/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/time/CONTRIBUTORS b/vendor/golang.org/x/time/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/time/LICENSE b/vendor/golang.org/x/time/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/time/PATENTS b/vendor/golang.org/x/time/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/time/rate/rate.go b/vendor/golang.org/x/time/rate/rate.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/AUTHORS b/vendor/golang.org/x/tools/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/CONTRIBUTORS b/vendor/golang.org/x/tools/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/LICENSE b/vendor/golang.org/x/tools/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/PATENTS b/vendor/golang.org/x/tools/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/cover/profile.go b/vendor/golang.org/x/tools/cover/profile.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/analysis.go b/vendor/golang.org/x/tools/go/analysis/analysis.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/diagnostic.go b/vendor/golang.org/x/tools/go/analysis/diagnostic.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/doc.go b/vendor/golang.org/x/tools/go/analysis/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/internal/analysisflags/flags.go b/vendor/golang.org/x/tools/go/analysis/internal/analysisflags/flags.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/internal/analysisflags/help.go b/vendor/golang.org/x/tools/go/analysis/internal/analysisflags/help.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/internal/facts/facts.go b/vendor/golang.org/x/tools/go/analysis/internal/facts/facts.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/internal/facts/imports.go b/vendor/golang.org/x/tools/go/analysis/internal/facts/imports.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker.go b/vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker112.go b/vendor/golang.org/x/tools/go/analysis/unitchecker/unitchecker112.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/analysis/validate.go b/vendor/golang.org/x/tools/go/analysis/validate.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/ast/astutil/enclosing.go b/vendor/golang.org/x/tools/go/ast/astutil/enclosing.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/ast/astutil/imports.go b/vendor/golang.org/x/tools/go/ast/astutil/imports.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/ast/astutil/rewrite.go b/vendor/golang.org/x/tools/go/ast/astutil/rewrite.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/ast/astutil/util.go b/vendor/golang.org/x/tools/go/ast/astutil/util.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/buildutil/allpackages.go b/vendor/golang.org/x/tools/go/buildutil/allpackages.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/buildutil/fakecontext.go b/vendor/golang.org/x/tools/go/buildutil/fakecontext.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/buildutil/overlay.go b/vendor/golang.org/x/tools/go/buildutil/overlay.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/buildutil/tags.go b/vendor/golang.org/x/tools/go/buildutil/tags.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/buildutil/util.go b/vendor/golang.org/x/tools/go/buildutil/util.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go b/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/gcexportdata/importer.go b/vendor/golang.org/x/tools/go/gcexportdata/importer.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/cgo/cgo.go b/vendor/golang.org/x/tools/go/internal/cgo/cgo.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go b/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/exportdata.go b/vendor/golang.org/x/tools/go/internal/gcimporter/exportdata.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/gcimporter.go b/vendor/golang.org/x/tools/go/internal/gcimporter/gcimporter.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/iexport.go b/vendor/golang.org/x/tools/go/internal/gcimporter/iexport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/iimport.go b/vendor/golang.org/x/tools/go/internal/gcimporter/iimport.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/newInterface10.go b/vendor/golang.org/x/tools/go/internal/gcimporter/newInterface10.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/gcimporter/newInterface11.go b/vendor/golang.org/x/tools/go/internal/gcimporter/newInterface11.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/internal/packagesdriver/sizes.go b/vendor/golang.org/x/tools/go/internal/packagesdriver/sizes.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/loader/doc.go b/vendor/golang.org/x/tools/go/loader/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/loader/loader.go b/vendor/golang.org/x/tools/go/loader/loader.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/loader/util.go b/vendor/golang.org/x/tools/go/loader/util.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/doc.go b/vendor/golang.org/x/tools/go/packages/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/external.go b/vendor/golang.org/x/tools/go/packages/external.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/golist.go b/vendor/golang.org/x/tools/go/packages/golist.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/golist_overlay.go b/vendor/golang.org/x/tools/go/packages/golist_overlay.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/loadmode_string.go b/vendor/golang.org/x/tools/go/packages/loadmode_string.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/packages.go b/vendor/golang.org/x/tools/go/packages/packages.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/packages/visit.go b/vendor/golang.org/x/tools/go/packages/visit.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go b/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/imports/forward.go b/vendor/golang.org/x/tools/imports/forward.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/analysisinternal/analysis.go b/vendor/golang.org/x/tools/internal/analysisinternal/analysis.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/core/event.go b/vendor/golang.org/x/tools/internal/event/core/event.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/core/export.go b/vendor/golang.org/x/tools/internal/event/core/export.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/core/fast.go b/vendor/golang.org/x/tools/internal/event/core/fast.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/doc.go b/vendor/golang.org/x/tools/internal/event/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/event.go b/vendor/golang.org/x/tools/internal/event/event.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/keys/keys.go b/vendor/golang.org/x/tools/internal/event/keys/keys.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/keys/standard.go b/vendor/golang.org/x/tools/internal/event/keys/standard.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/event/label/label.go b/vendor/golang.org/x/tools/internal/event/label/label.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_fileno.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_fileno.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_ino.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_ino.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_bsd.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_bsd.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_linux.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_dirent_namlen_linux.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_portable.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_portable.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_unix.go b/vendor/golang.org/x/tools/internal/fastwalk/fastwalk_unix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/gocommand/invoke.go b/vendor/golang.org/x/tools/internal/gocommand/invoke.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/gopathwalk/walk.go b/vendor/golang.org/x/tools/internal/gopathwalk/walk.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/fix.go b/vendor/golang.org/x/tools/internal/imports/fix.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/imports.go b/vendor/golang.org/x/tools/internal/imports/imports.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/mod.go b/vendor/golang.org/x/tools/internal/imports/mod.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/mod_cache.go b/vendor/golang.org/x/tools/internal/imports/mod_cache.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/sortimports.go b/vendor/golang.org/x/tools/internal/imports/sortimports.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/imports/zstdlib.go b/vendor/golang.org/x/tools/internal/imports/zstdlib.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/tools/internal/packagesinternal/packages.go b/vendor/golang.org/x/tools/internal/packagesinternal/packages.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/LICENSE b/vendor/golang.org/x/xerrors/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/PATENTS b/vendor/golang.org/x/xerrors/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/README b/vendor/golang.org/x/xerrors/README old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/adaptor.go b/vendor/golang.org/x/xerrors/adaptor.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/codereview.cfg b/vendor/golang.org/x/xerrors/codereview.cfg old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/doc.go b/vendor/golang.org/x/xerrors/doc.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/errors.go b/vendor/golang.org/x/xerrors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/fmt.go b/vendor/golang.org/x/xerrors/fmt.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/format.go b/vendor/golang.org/x/xerrors/format.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/frame.go b/vendor/golang.org/x/xerrors/frame.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/go.mod b/vendor/golang.org/x/xerrors/go.mod old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/internal/internal.go b/vendor/golang.org/x/xerrors/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/golang.org/x/xerrors/wrap.go b/vendor/golang.org/x/xerrors/wrap.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/AUTHORS b/vendor/google.golang.org/api/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/CONTRIBUTORS b/vendor/google.golang.org/api/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/LICENSE b/vendor/google.golang.org/api/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/googleapi/transport/apikey.go b/vendor/google.golang.org/api/googleapi/transport/apikey.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/internal/creds.go b/vendor/google.golang.org/api/internal/creds.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/internal/pool.go b/vendor/google.golang.org/api/internal/pool.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/internal/service-account.json b/vendor/google.golang.org/api/internal/service-account.json old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/internal/settings.go b/vendor/google.golang.org/api/internal/settings.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/iterator/iterator.go b/vendor/google.golang.org/api/iterator/iterator.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/option/credentials_go19.go b/vendor/google.golang.org/api/option/credentials_go19.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/option/credentials_notgo19.go b/vendor/google.golang.org/api/option/credentials_notgo19.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/option/option.go b/vendor/google.golang.org/api/option/option.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/support/bundler/bundler.go b/vendor/google.golang.org/api/support/bundler/bundler.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/dial.go b/vendor/google.golang.org/api/transport/dial.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/doc.go b/vendor/google.golang.org/api/transport/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/go19.go b/vendor/google.golang.org/api/transport/go19.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/grpc/dial.go b/vendor/google.golang.org/api/transport/grpc/dial.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/grpc/dial_appengine.go b/vendor/google.golang.org/api/transport/grpc/dial_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/grpc/dial_socketopt.go b/vendor/google.golang.org/api/transport/grpc/dial_socketopt.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/http/dial.go b/vendor/google.golang.org/api/transport/http/dial.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/http/dial_appengine.go b/vendor/google.golang.org/api/transport/http/dial_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/http/internal/propagation/http.go b/vendor/google.golang.org/api/transport/http/internal/propagation/http.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/api/transport/not_go19.go b/vendor/google.golang.org/api/transport/not_go19.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/.travis.yml b/vendor/google.golang.org/appengine/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/CONTRIBUTING.md b/vendor/google.golang.org/appengine/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/LICENSE b/vendor/google.golang.org/appengine/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/README.md b/vendor/google.golang.org/appengine/README.md old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/appengine.go b/vendor/google.golang.org/appengine/appengine.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/appengine_vm.go b/vendor/google.golang.org/appengine/appengine_vm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/cloudsql/cloudsql.go b/vendor/google.golang.org/appengine/cloudsql/cloudsql.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/cloudsql/cloudsql_classic.go b/vendor/google.golang.org/appengine/cloudsql/cloudsql_classic.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/cloudsql/cloudsql_vm.go b/vendor/google.golang.org/appengine/cloudsql/cloudsql_vm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/errors.go b/vendor/google.golang.org/appengine/errors.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/go.mod b/vendor/google.golang.org/appengine/go.mod old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/go.sum b/vendor/google.golang.org/appengine/go.sum old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/identity.go b/vendor/google.golang.org/appengine/identity.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/api.go b/vendor/google.golang.org/appengine/internal/api.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/api_classic.go b/vendor/google.golang.org/appengine/internal/api_classic.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/api_common.go b/vendor/google.golang.org/appengine/internal/api_common.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/app_id.go b/vendor/google.golang.org/appengine/internal/app_id.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.pb.go b/vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.proto b/vendor/google.golang.org/appengine/internal/app_identity/app_identity_service.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/base/api_base.pb.go b/vendor/google.golang.org/appengine/internal/base/api_base.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/base/api_base.proto b/vendor/google.golang.org/appengine/internal/base/api_base.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/datastore/datastore_v3.pb.go b/vendor/google.golang.org/appengine/internal/datastore/datastore_v3.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/datastore/datastore_v3.proto b/vendor/google.golang.org/appengine/internal/datastore/datastore_v3.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/identity.go b/vendor/google.golang.org/appengine/internal/identity.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/identity_classic.go b/vendor/google.golang.org/appengine/internal/identity_classic.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/identity_flex.go b/vendor/google.golang.org/appengine/internal/identity_flex.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/identity_vm.go b/vendor/google.golang.org/appengine/internal/identity_vm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/internal.go b/vendor/google.golang.org/appengine/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/log/log_service.pb.go b/vendor/google.golang.org/appengine/internal/log/log_service.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/log/log_service.proto b/vendor/google.golang.org/appengine/internal/log/log_service.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/main.go b/vendor/google.golang.org/appengine/internal/main.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/main_common.go b/vendor/google.golang.org/appengine/internal/main_common.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/main_vm.go b/vendor/google.golang.org/appengine/internal/main_vm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/metadata.go b/vendor/google.golang.org/appengine/internal/metadata.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/modules/modules_service.pb.go b/vendor/google.golang.org/appengine/internal/modules/modules_service.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/modules/modules_service.proto b/vendor/google.golang.org/appengine/internal/modules/modules_service.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/net.go b/vendor/google.golang.org/appengine/internal/net.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/regen.sh b/vendor/google.golang.org/appengine/internal/regen.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/remote_api/remote_api.pb.go b/vendor/google.golang.org/appengine/internal/remote_api/remote_api.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/remote_api/remote_api.proto b/vendor/google.golang.org/appengine/internal/remote_api/remote_api.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/socket/socket_service.pb.go b/vendor/google.golang.org/appengine/internal/socket/socket_service.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/socket/socket_service.proto b/vendor/google.golang.org/appengine/internal/socket/socket_service.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/transaction.go b/vendor/google.golang.org/appengine/internal/transaction.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.pb.go b/vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.proto b/vendor/google.golang.org/appengine/internal/urlfetch/urlfetch_service.proto old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/namespace.go b/vendor/google.golang.org/appengine/namespace.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/socket/doc.go b/vendor/google.golang.org/appengine/socket/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/socket/socket_classic.go b/vendor/google.golang.org/appengine/socket/socket_classic.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/socket/socket_vm.go b/vendor/google.golang.org/appengine/socket/socket_vm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/timeout.go b/vendor/google.golang.org/appengine/timeout.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/travis_install.sh b/vendor/google.golang.org/appengine/travis_install.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/travis_test.sh b/vendor/google.golang.org/appengine/travis_test.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/appengine/urlfetch/urlfetch.go b/vendor/google.golang.org/appengine/urlfetch/urlfetch.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/LICENSE b/vendor/google.golang.org/genproto/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/api/annotations/annotations.pb.go b/vendor/google.golang.org/genproto/googleapis/api/annotations/annotations.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/api/annotations/client.pb.go b/vendor/google.golang.org/genproto/googleapis/api/annotations/client.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/api/annotations/field_behavior.pb.go b/vendor/google.golang.org/genproto/googleapis/api/annotations/field_behavior.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/api/annotations/http.pb.go b/vendor/google.golang.org/genproto/googleapis/api/annotations/http.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/api/annotations/resource.pb.go b/vendor/google.golang.org/genproto/googleapis/api/annotations/resource.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/iam/v1/iam_policy.pb.go b/vendor/google.golang.org/genproto/googleapis/iam/v1/iam_policy.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/iam/v1/options.pb.go b/vendor/google.golang.org/genproto/googleapis/iam/v1/options.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/iam/v1/policy.pb.go b/vendor/google.golang.org/genproto/googleapis/iam/v1/policy.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/pubsub/v1/pubsub.pb.go b/vendor/google.golang.org/genproto/googleapis/pubsub/v1/pubsub.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/rpc/status/status.pb.go b/vendor/google.golang.org/genproto/googleapis/rpc/status/status.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/googleapis/type/expr/expr.pb.go b/vendor/google.golang.org/genproto/googleapis/type/expr/expr.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/genproto/protobuf/field_mask/field_mask.pb.go b/vendor/google.golang.org/genproto/protobuf/field_mask/field_mask.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/.travis.yml b/vendor/google.golang.org/grpc/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/AUTHORS b/vendor/google.golang.org/grpc/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/CONTRIBUTING.md b/vendor/google.golang.org/grpc/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/LICENSE b/vendor/google.golang.org/grpc/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/Makefile b/vendor/google.golang.org/grpc/Makefile old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/README.md b/vendor/google.golang.org/grpc/README.md old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/backoff.go b/vendor/google.golang.org/grpc/backoff.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer.go b/vendor/google.golang.org/grpc/balancer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/balancer.go b/vendor/google.golang.org/grpc/balancer/balancer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/base/balancer.go b/vendor/google.golang.org/grpc/balancer/base/balancer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/base/base.go b/vendor/google.golang.org/grpc/balancer/base/base.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpc_lb_v1/load_balancer.pb.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpc_lb_v1/load_balancer.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpclb.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpclb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_config.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_config.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_picker.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_picker.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_remote_balancer.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_remote_balancer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_util.go b/vendor/google.golang.org/grpc/balancer/grpclb/grpclb_util.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/grpclb/regenerate.sh b/vendor/google.golang.org/grpc/balancer/grpclb/regenerate.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer/roundrobin/roundrobin.go b/vendor/google.golang.org/grpc/balancer/roundrobin/roundrobin.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer_conn_wrappers.go b/vendor/google.golang.org/grpc/balancer_conn_wrappers.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/balancer_v1_wrapper.go b/vendor/google.golang.org/grpc/balancer_v1_wrapper.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/binarylog/grpc_binarylog_v1/binarylog.pb.go b/vendor/google.golang.org/grpc/binarylog/grpc_binarylog_v1/binarylog.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/call.go b/vendor/google.golang.org/grpc/call.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/clientconn.go b/vendor/google.golang.org/grpc/clientconn.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/codec.go b/vendor/google.golang.org/grpc/codec.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/codegen.sh b/vendor/google.golang.org/grpc/codegen.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/codes/code_string.go b/vendor/google.golang.org/grpc/codes/code_string.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/codes/codes.go b/vendor/google.golang.org/grpc/codes/codes.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/connectivity/connectivity.go b/vendor/google.golang.org/grpc/connectivity/connectivity.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/alts.go b/vendor/google.golang.org/grpc/credentials/alts/alts.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/authinfo/authinfo.go b/vendor/google.golang.org/grpc/credentials/alts/internal/authinfo/authinfo.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/common.go b/vendor/google.golang.org/grpc/credentials/alts/internal/common.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aeadrekey.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aeadrekey.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcm.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcm.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcmrekey.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/aes128gcmrekey.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/common.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/common.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/counter.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/counter.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/record.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/record.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/conn/utils.go b/vendor/google.golang.org/grpc/credentials/alts/internal/conn/utils.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/handshaker.go b/vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/handshaker.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/service/service.go b/vendor/google.golang.org/grpc/credentials/alts/internal/handshaker/service/service.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/altscontext.pb.go b/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/altscontext.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/handshaker.pb.go b/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/handshaker.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/transport_security_common.pb.go b/vendor/google.golang.org/grpc/credentials/alts/internal/proto/grpc_gcp/transport_security_common.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/internal/regenerate.sh b/vendor/google.golang.org/grpc/credentials/alts/internal/regenerate.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/alts/utils.go b/vendor/google.golang.org/grpc/credentials/alts/utils.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/credentials.go b/vendor/google.golang.org/grpc/credentials/credentials.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/google/google.go b/vendor/google.golang.org/grpc/credentials/google/google.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/internal/syscallconn.go b/vendor/google.golang.org/grpc/credentials/internal/syscallconn.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/internal/syscallconn_appengine.go b/vendor/google.golang.org/grpc/credentials/internal/syscallconn_appengine.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/oauth/oauth.go b/vendor/google.golang.org/grpc/credentials/oauth/oauth.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/credentials/tls13.go b/vendor/google.golang.org/grpc/credentials/tls13.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/dialoptions.go b/vendor/google.golang.org/grpc/dialoptions.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/doc.go b/vendor/google.golang.org/grpc/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/encoding/encoding.go b/vendor/google.golang.org/grpc/encoding/encoding.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/encoding/proto/proto.go b/vendor/google.golang.org/grpc/encoding/proto/proto.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/go.mod b/vendor/google.golang.org/grpc/go.mod old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/go.sum b/vendor/google.golang.org/grpc/go.sum old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/grpclog/grpclog.go b/vendor/google.golang.org/grpc/grpclog/grpclog.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/grpclog/logger.go b/vendor/google.golang.org/grpc/grpclog/logger.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/grpclog/loggerv2.go b/vendor/google.golang.org/grpc/grpclog/loggerv2.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/install_gae.sh b/vendor/google.golang.org/grpc/install_gae.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/interceptor.go b/vendor/google.golang.org/grpc/interceptor.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/backoff/backoff.go b/vendor/google.golang.org/grpc/internal/backoff/backoff.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/balancerload/load.go b/vendor/google.golang.org/grpc/internal/balancerload/load.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/binarylog.go b/vendor/google.golang.org/grpc/internal/binarylog/binarylog.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/binarylog_testutil.go b/vendor/google.golang.org/grpc/internal/binarylog/binarylog_testutil.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/env_config.go b/vendor/google.golang.org/grpc/internal/binarylog/env_config.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/method_logger.go b/vendor/google.golang.org/grpc/internal/binarylog/method_logger.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/regenerate.sh b/vendor/google.golang.org/grpc/internal/binarylog/regenerate.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/sink.go b/vendor/google.golang.org/grpc/internal/binarylog/sink.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/binarylog/util.go b/vendor/google.golang.org/grpc/internal/binarylog/util.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/funcs.go b/vendor/google.golang.org/grpc/internal/channelz/funcs.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/types.go b/vendor/google.golang.org/grpc/internal/channelz/types.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/types_linux.go b/vendor/google.golang.org/grpc/internal/channelz/types_linux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/types_nonlinux.go b/vendor/google.golang.org/grpc/internal/channelz/types_nonlinux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/util_linux.go b/vendor/google.golang.org/grpc/internal/channelz/util_linux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/channelz/util_nonlinux.go b/vendor/google.golang.org/grpc/internal/channelz/util_nonlinux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/envconfig/envconfig.go b/vendor/google.golang.org/grpc/internal/envconfig/envconfig.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/grpcrand/grpcrand.go b/vendor/google.golang.org/grpc/internal/grpcrand/grpcrand.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/grpcsync/event.go b/vendor/google.golang.org/grpc/internal/grpcsync/event.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/internal.go b/vendor/google.golang.org/grpc/internal/internal.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/syscall/syscall_linux.go b/vendor/google.golang.org/grpc/internal/syscall/syscall_linux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/syscall/syscall_nonlinux.go b/vendor/google.golang.org/grpc/internal/syscall/syscall_nonlinux.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/bdp_estimator.go b/vendor/google.golang.org/grpc/internal/transport/bdp_estimator.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/controlbuf.go b/vendor/google.golang.org/grpc/internal/transport/controlbuf.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/defaults.go b/vendor/google.golang.org/grpc/internal/transport/defaults.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/flowcontrol.go b/vendor/google.golang.org/grpc/internal/transport/flowcontrol.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/handler_server.go b/vendor/google.golang.org/grpc/internal/transport/handler_server.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/http2_client.go b/vendor/google.golang.org/grpc/internal/transport/http2_client.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/http2_server.go b/vendor/google.golang.org/grpc/internal/transport/http2_server.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/http_util.go b/vendor/google.golang.org/grpc/internal/transport/http_util.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/log.go b/vendor/google.golang.org/grpc/internal/transport/log.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/internal/transport/transport.go b/vendor/google.golang.org/grpc/internal/transport/transport.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/keepalive/keepalive.go b/vendor/google.golang.org/grpc/keepalive/keepalive.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/metadata/metadata.go b/vendor/google.golang.org/grpc/metadata/metadata.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/naming/dns_resolver.go b/vendor/google.golang.org/grpc/naming/dns_resolver.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/naming/naming.go b/vendor/google.golang.org/grpc/naming/naming.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/peer/peer.go b/vendor/google.golang.org/grpc/peer/peer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/picker_wrapper.go b/vendor/google.golang.org/grpc/picker_wrapper.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/pickfirst.go b/vendor/google.golang.org/grpc/pickfirst.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/preloader.go b/vendor/google.golang.org/grpc/preloader.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/proxy.go b/vendor/google.golang.org/grpc/proxy.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/resolver/dns/dns_resolver.go b/vendor/google.golang.org/grpc/resolver/dns/dns_resolver.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/resolver/passthrough/passthrough.go b/vendor/google.golang.org/grpc/resolver/passthrough/passthrough.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/resolver/resolver.go b/vendor/google.golang.org/grpc/resolver/resolver.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/resolver_conn_wrapper.go b/vendor/google.golang.org/grpc/resolver_conn_wrapper.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/rpc_util.go b/vendor/google.golang.org/grpc/rpc_util.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/server.go b/vendor/google.golang.org/grpc/server.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/service_config.go b/vendor/google.golang.org/grpc/service_config.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/stats/handlers.go b/vendor/google.golang.org/grpc/stats/handlers.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/stats/stats.go b/vendor/google.golang.org/grpc/stats/stats.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/status/status.go b/vendor/google.golang.org/grpc/status/status.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/stream.go b/vendor/google.golang.org/grpc/stream.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/tap/tap.go b/vendor/google.golang.org/grpc/tap/tap.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/trace.go b/vendor/google.golang.org/grpc/trace.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/version.go b/vendor/google.golang.org/grpc/version.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/grpc/vet.sh b/vendor/google.golang.org/grpc/vet.sh old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/AUTHORS b/vendor/google.golang.org/protobuf/AUTHORS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/CONTRIBUTORS b/vendor/google.golang.org/protobuf/CONTRIBUTORS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/LICENSE b/vendor/google.golang.org/protobuf/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/PATENTS b/vendor/google.golang.org/protobuf/PATENTS old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/encoding/prototext/decode.go b/vendor/google.golang.org/protobuf/encoding/prototext/decode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/encoding/prototext/doc.go b/vendor/google.golang.org/protobuf/encoding/prototext/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/encoding/prototext/encode.go b/vendor/google.golang.org/protobuf/encoding/prototext/encode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/encoding/protowire/wire.go b/vendor/google.golang.org/protobuf/encoding/protowire/wire.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/descfmt/stringer.go b/vendor/google.golang.org/protobuf/internal/descfmt/stringer.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/descopts/options.go b/vendor/google.golang.org/protobuf/internal/descopts/options.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/detrand/rand.go b/vendor/google.golang.org/protobuf/internal/detrand/rand.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/defval/default.go b/vendor/google.golang.org/protobuf/internal/encoding/defval/default.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/messageset/messageset.go b/vendor/google.golang.org/protobuf/internal/encoding/messageset/messageset.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/tag/tag.go b/vendor/google.golang.org/protobuf/internal/encoding/tag/tag.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/decode.go b/vendor/google.golang.org/protobuf/internal/encoding/text/decode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/decode_number.go b/vendor/google.golang.org/protobuf/internal/encoding/text/decode_number.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/decode_string.go b/vendor/google.golang.org/protobuf/internal/encoding/text/decode_string.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/decode_token.go b/vendor/google.golang.org/protobuf/internal/encoding/text/decode_token.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/doc.go b/vendor/google.golang.org/protobuf/internal/encoding/text/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/encoding/text/encode.go b/vendor/google.golang.org/protobuf/internal/encoding/text/encode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/errors/errors.go b/vendor/google.golang.org/protobuf/internal/errors/errors.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/errors/is_go112.go b/vendor/google.golang.org/protobuf/internal/errors/is_go112.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/errors/is_go113.go b/vendor/google.golang.org/protobuf/internal/errors/is_go113.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/any_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/any_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/api_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/api_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/descriptor_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/descriptor_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/doc.go b/vendor/google.golang.org/protobuf/internal/fieldnum/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/duration_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/duration_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/empty_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/empty_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/field_mask_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/field_mask_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/source_context_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/source_context_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/struct_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/struct_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/timestamp_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/timestamp_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/type_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/type_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldnum/wrappers_gen.go b/vendor/google.golang.org/protobuf/internal/fieldnum/wrappers_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/fieldsort/fieldsort.go b/vendor/google.golang.org/protobuf/internal/fieldsort/fieldsort.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/build.go b/vendor/google.golang.org/protobuf/internal/filedesc/build.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/desc.go b/vendor/google.golang.org/protobuf/internal/filedesc/desc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/desc_init.go b/vendor/google.golang.org/protobuf/internal/filedesc/desc_init.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/desc_lazy.go b/vendor/google.golang.org/protobuf/internal/filedesc/desc_lazy.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/desc_list.go b/vendor/google.golang.org/protobuf/internal/filedesc/desc_list.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/desc_list_gen.go b/vendor/google.golang.org/protobuf/internal/filedesc/desc_list_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filedesc/placeholder.go b/vendor/google.golang.org/protobuf/internal/filedesc/placeholder.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/filetype/build.go b/vendor/google.golang.org/protobuf/internal/filetype/build.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/flags/flags.go b/vendor/google.golang.org/protobuf/internal/flags/flags.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/flags/proto_legacy_disable.go b/vendor/google.golang.org/protobuf/internal/flags/proto_legacy_disable.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/flags/proto_legacy_enable.go b/vendor/google.golang.org/protobuf/internal/flags/proto_legacy_enable.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/genname/name.go b/vendor/google.golang.org/protobuf/internal/genname/name.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/api_export.go b/vendor/google.golang.org/protobuf/internal/impl/api_export.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/checkinit.go b/vendor/google.golang.org/protobuf/internal/impl/checkinit.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_extension.go b/vendor/google.golang.org/protobuf/internal/impl/codec_extension.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_field.go b/vendor/google.golang.org/protobuf/internal/impl/codec_field.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_gen.go b/vendor/google.golang.org/protobuf/internal/impl/codec_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_map.go b/vendor/google.golang.org/protobuf/internal/impl/codec_map.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_map_go111.go b/vendor/google.golang.org/protobuf/internal/impl/codec_map_go111.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_map_go112.go b/vendor/google.golang.org/protobuf/internal/impl/codec_map_go112.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_message.go b/vendor/google.golang.org/protobuf/internal/impl/codec_message.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_messageset.go b/vendor/google.golang.org/protobuf/internal/impl/codec_messageset.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_reflect.go b/vendor/google.golang.org/protobuf/internal/impl/codec_reflect.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_tables.go b/vendor/google.golang.org/protobuf/internal/impl/codec_tables.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/codec_unsafe.go b/vendor/google.golang.org/protobuf/internal/impl/codec_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/convert.go b/vendor/google.golang.org/protobuf/internal/impl/convert.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/convert_list.go b/vendor/google.golang.org/protobuf/internal/impl/convert_list.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/convert_map.go b/vendor/google.golang.org/protobuf/internal/impl/convert_map.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/decode.go b/vendor/google.golang.org/protobuf/internal/impl/decode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/encode.go b/vendor/google.golang.org/protobuf/internal/impl/encode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/enum.go b/vendor/google.golang.org/protobuf/internal/impl/enum.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/extension.go b/vendor/google.golang.org/protobuf/internal/impl/extension.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/legacy_enum.go b/vendor/google.golang.org/protobuf/internal/impl/legacy_enum.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/legacy_export.go b/vendor/google.golang.org/protobuf/internal/impl/legacy_export.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/legacy_extension.go b/vendor/google.golang.org/protobuf/internal/impl/legacy_extension.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/legacy_file.go b/vendor/google.golang.org/protobuf/internal/impl/legacy_file.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/legacy_message.go b/vendor/google.golang.org/protobuf/internal/impl/legacy_message.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/merge.go b/vendor/google.golang.org/protobuf/internal/impl/merge.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/merge_gen.go b/vendor/google.golang.org/protobuf/internal/impl/merge_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/message.go b/vendor/google.golang.org/protobuf/internal/impl/message.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/message_reflect.go b/vendor/google.golang.org/protobuf/internal/impl/message_reflect.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/message_reflect_field.go b/vendor/google.golang.org/protobuf/internal/impl/message_reflect_field.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/message_reflect_gen.go b/vendor/google.golang.org/protobuf/internal/impl/message_reflect_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/pointer_reflect.go b/vendor/google.golang.org/protobuf/internal/impl/pointer_reflect.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/pointer_unsafe.go b/vendor/google.golang.org/protobuf/internal/impl/pointer_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/validate.go b/vendor/google.golang.org/protobuf/internal/impl/validate.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/impl/weak.go b/vendor/google.golang.org/protobuf/internal/impl/weak.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/mapsort/mapsort.go b/vendor/google.golang.org/protobuf/internal/mapsort/mapsort.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/pragma/pragma.go b/vendor/google.golang.org/protobuf/internal/pragma/pragma.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/set/ints.go b/vendor/google.golang.org/protobuf/internal/set/ints.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/strs/strings.go b/vendor/google.golang.org/protobuf/internal/strs/strings.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/strs/strings_pure.go b/vendor/google.golang.org/protobuf/internal/strs/strings_pure.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/strs/strings_unsafe.go b/vendor/google.golang.org/protobuf/internal/strs/strings_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/internal/version/version.go b/vendor/google.golang.org/protobuf/internal/version/version.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/checkinit.go b/vendor/google.golang.org/protobuf/proto/checkinit.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/decode.go b/vendor/google.golang.org/protobuf/proto/decode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/decode_gen.go b/vendor/google.golang.org/protobuf/proto/decode_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/doc.go b/vendor/google.golang.org/protobuf/proto/doc.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/encode.go b/vendor/google.golang.org/protobuf/proto/encode.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/encode_gen.go b/vendor/google.golang.org/protobuf/proto/encode_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/equal.go b/vendor/google.golang.org/protobuf/proto/equal.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/extension.go b/vendor/google.golang.org/protobuf/proto/extension.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/merge.go b/vendor/google.golang.org/protobuf/proto/merge.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/messageset.go b/vendor/google.golang.org/protobuf/proto/messageset.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/proto.go b/vendor/google.golang.org/protobuf/proto/proto.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/proto_methods.go b/vendor/google.golang.org/protobuf/proto/proto_methods.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/proto_reflect.go b/vendor/google.golang.org/protobuf/proto/proto_reflect.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/reset.go b/vendor/google.golang.org/protobuf/proto/reset.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/size.go b/vendor/google.golang.org/protobuf/proto/size.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/size_gen.go b/vendor/google.golang.org/protobuf/proto/size_gen.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/proto/wrappers.go b/vendor/google.golang.org/protobuf/proto/wrappers.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/methods.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/methods.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/proto.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/proto.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/source.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/source.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/type.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/type.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/value.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/value.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/value_pure.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/value_pure.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/value_union.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/value_union.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoreflect/value_unsafe.go b/vendor/google.golang.org/protobuf/reflect/protoreflect/value_unsafe.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/reflect/protoregistry/registry.go b/vendor/google.golang.org/protobuf/reflect/protoregistry/registry.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/runtime/protoiface/legacy.go b/vendor/google.golang.org/protobuf/runtime/protoiface/legacy.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/runtime/protoiface/methods.go b/vendor/google.golang.org/protobuf/runtime/protoiface/methods.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/runtime/protoimpl/impl.go b/vendor/google.golang.org/protobuf/runtime/protoimpl/impl.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/runtime/protoimpl/version.go b/vendor/google.golang.org/protobuf/runtime/protoimpl/version.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/types/descriptorpb/descriptor.pb.go b/vendor/google.golang.org/protobuf/types/descriptorpb/descriptor.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/types/known/anypb/any.pb.go b/vendor/google.golang.org/protobuf/types/known/anypb/any.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/types/known/durationpb/duration.pb.go b/vendor/google.golang.org/protobuf/types/known/durationpb/duration.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/types/known/emptypb/empty.pb.go b/vendor/google.golang.org/protobuf/types/known/emptypb/empty.pb.go old mode 100644 new mode 100755 diff --git a/vendor/google.golang.org/protobuf/types/known/timestamppb/timestamp.pb.go b/vendor/google.golang.org/protobuf/types/known/timestamppb/timestamp.pb.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/LICENSE b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/README.md b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/encodedword.go b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/encodedword.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool.go b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool_go12.go b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/pool_go12.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/reader.go b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/reader.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/alexcesaro/quotedprintable.v3/writer.go b/vendor/gopkg.in/alexcesaro/quotedprintable.v3/writer.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/.travis.yml b/vendor/gopkg.in/asn1-ber.v1/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/LICENSE b/vendor/gopkg.in/asn1-ber.v1/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/README.md b/vendor/gopkg.in/asn1-ber.v1/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/ber.go b/vendor/gopkg.in/asn1-ber.v1/ber.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/content_int.go b/vendor/gopkg.in/asn1-ber.v1/content_int.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/header.go b/vendor/gopkg.in/asn1-ber.v1/header.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/identifier.go b/vendor/gopkg.in/asn1-ber.v1/identifier.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/length.go b/vendor/gopkg.in/asn1-ber.v1/length.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/asn1-ber.v1/util.go b/vendor/gopkg.in/asn1-ber.v1/util.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/.travis.yml b/vendor/gopkg.in/gomail.v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/CHANGELOG.md b/vendor/gopkg.in/gomail.v2/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/CONTRIBUTING.md b/vendor/gopkg.in/gomail.v2/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/LICENSE b/vendor/gopkg.in/gomail.v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/README.md b/vendor/gopkg.in/gomail.v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/auth.go b/vendor/gopkg.in/gomail.v2/auth.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/doc.go b/vendor/gopkg.in/gomail.v2/doc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/message.go b/vendor/gopkg.in/gomail.v2/message.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/mime.go b/vendor/gopkg.in/gomail.v2/mime.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/mime_go14.go b/vendor/gopkg.in/gomail.v2/mime_go14.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/send.go b/vendor/gopkg.in/gomail.v2/send.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/smtp.go b/vendor/gopkg.in/gomail.v2/smtp.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/gomail.v2/writeto.go b/vendor/gopkg.in/gomail.v2/writeto.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/.gitignore b/vendor/gopkg.in/ini.v1/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/LICENSE b/vendor/gopkg.in/ini.v1/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/Makefile b/vendor/gopkg.in/ini.v1/Makefile old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/README.md b/vendor/gopkg.in/ini.v1/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/codecov.yml b/vendor/gopkg.in/ini.v1/codecov.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/data_source.go b/vendor/gopkg.in/ini.v1/data_source.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/deprecated.go b/vendor/gopkg.in/ini.v1/deprecated.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/error.go b/vendor/gopkg.in/ini.v1/error.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/file.go b/vendor/gopkg.in/ini.v1/file.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/helper.go b/vendor/gopkg.in/ini.v1/helper.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/ini.go b/vendor/gopkg.in/ini.v1/ini.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/key.go b/vendor/gopkg.in/ini.v1/key.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/parser.go b/vendor/gopkg.in/ini.v1/parser.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/section.go b/vendor/gopkg.in/ini.v1/section.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ini.v1/struct.go b/vendor/gopkg.in/ini.v1/struct.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/.gitignore b/vendor/gopkg.in/ldap.v3/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/.travis.yml b/vendor/gopkg.in/ldap.v3/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/CONTRIBUTING.md b/vendor/gopkg.in/ldap.v3/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/LICENSE b/vendor/gopkg.in/ldap.v3/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/Makefile b/vendor/gopkg.in/ldap.v3/Makefile old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/README.md b/vendor/gopkg.in/ldap.v3/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/add.go b/vendor/gopkg.in/ldap.v3/add.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/bind.go b/vendor/gopkg.in/ldap.v3/bind.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/client.go b/vendor/gopkg.in/ldap.v3/client.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/compare.go b/vendor/gopkg.in/ldap.v3/compare.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/conn.go b/vendor/gopkg.in/ldap.v3/conn.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/control.go b/vendor/gopkg.in/ldap.v3/control.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/debug.go b/vendor/gopkg.in/ldap.v3/debug.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/del.go b/vendor/gopkg.in/ldap.v3/del.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/dn.go b/vendor/gopkg.in/ldap.v3/dn.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/doc.go b/vendor/gopkg.in/ldap.v3/doc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/error.go b/vendor/gopkg.in/ldap.v3/error.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/filter.go b/vendor/gopkg.in/ldap.v3/filter.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/ldap.go b/vendor/gopkg.in/ldap.v3/ldap.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/moddn.go b/vendor/gopkg.in/ldap.v3/moddn.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/modify.go b/vendor/gopkg.in/ldap.v3/modify.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/passwdmodify.go b/vendor/gopkg.in/ldap.v3/passwdmodify.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/ldap.v3/search.go b/vendor/gopkg.in/ldap.v3/search.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/.gitignore b/vendor/gopkg.in/macaron.v1/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/LICENSE b/vendor/gopkg.in/macaron.v1/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/README.md b/vendor/gopkg.in/macaron.v1/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/codecov.yml b/vendor/gopkg.in/macaron.v1/codecov.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/context.go b/vendor/gopkg.in/macaron.v1/context.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/go.mod b/vendor/gopkg.in/macaron.v1/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/go.sum b/vendor/gopkg.in/macaron.v1/go.sum old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/logger.go b/vendor/gopkg.in/macaron.v1/logger.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/macaron.go b/vendor/gopkg.in/macaron.v1/macaron.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/macaronlogo.png b/vendor/gopkg.in/macaron.v1/macaronlogo.png old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/recovery.go b/vendor/gopkg.in/macaron.v1/recovery.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/render.go b/vendor/gopkg.in/macaron.v1/render.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/response_writer.go b/vendor/gopkg.in/macaron.v1/response_writer.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/return_handler.go b/vendor/gopkg.in/macaron.v1/return_handler.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/router.go b/vendor/gopkg.in/macaron.v1/router.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/static.go b/vendor/gopkg.in/macaron.v1/static.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/tree.go b/vendor/gopkg.in/macaron.v1/tree.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/util_go17.go b/vendor/gopkg.in/macaron.v1/util_go17.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/macaron.v1/util_go18.go b/vendor/gopkg.in/macaron.v1/util_go18.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/.editorconfig b/vendor/gopkg.in/testfixtures.v2/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/.gitattributes b/vendor/gopkg.in/testfixtures.v2/.gitattributes old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/.gitignore b/vendor/gopkg.in/testfixtures.v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/.sample.env b/vendor/gopkg.in/testfixtures.v2/.sample.env old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/.travis.yml b/vendor/gopkg.in/testfixtures.v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/LICENSE b/vendor/gopkg.in/testfixtures.v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/README.md b/vendor/gopkg.in/testfixtures.v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/Taskfile.yml b/vendor/gopkg.in/testfixtures.v2/Taskfile.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/appveyor.yml b/vendor/gopkg.in/testfixtures.v2/appveyor.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/deprecated.go b/vendor/gopkg.in/testfixtures.v2/deprecated.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/errors.go b/vendor/gopkg.in/testfixtures.v2/errors.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/generate.go b/vendor/gopkg.in/testfixtures.v2/generate.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/helper.go b/vendor/gopkg.in/testfixtures.v2/helper.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/json.go b/vendor/gopkg.in/testfixtures.v2/json.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/mysql.go b/vendor/gopkg.in/testfixtures.v2/mysql.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/options.go b/vendor/gopkg.in/testfixtures.v2/options.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/oracle.go b/vendor/gopkg.in/testfixtures.v2/oracle.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/postgresql.go b/vendor/gopkg.in/testfixtures.v2/postgresql.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/sqlite.go b/vendor/gopkg.in/testfixtures.v2/sqlite.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/sqlserver.go b/vendor/gopkg.in/testfixtures.v2/sqlserver.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/testfixtures.go b/vendor/gopkg.in/testfixtures.v2/testfixtures.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/testfixtures.v2/time.go b/vendor/gopkg.in/testfixtures.v2/time.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/.gitignore b/vendor/gopkg.in/toqueteos/substring.v1/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/.travis.yml b/vendor/gopkg.in/toqueteos/substring.v1/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/LICENSE b/vendor/gopkg.in/toqueteos/substring.v1/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/README.md b/vendor/gopkg.in/toqueteos/substring.v1/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/bytes.go b/vendor/gopkg.in/toqueteos/substring.v1/bytes.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/lib.go b/vendor/gopkg.in/toqueteos/substring.v1/lib.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/toqueteos/substring.v1/string.go b/vendor/gopkg.in/toqueteos/substring.v1/string.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/warnings.v0/LICENSE b/vendor/gopkg.in/warnings.v0/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/warnings.v0/README b/vendor/gopkg.in/warnings.v0/README old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/warnings.v0/warnings.go b/vendor/gopkg.in/warnings.v0/warnings.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/.travis.yml b/vendor/gopkg.in/yaml.v2/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/LICENSE b/vendor/gopkg.in/yaml.v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/LICENSE.libyaml b/vendor/gopkg.in/yaml.v2/LICENSE.libyaml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/NOTICE b/vendor/gopkg.in/yaml.v2/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/README.md b/vendor/gopkg.in/yaml.v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/apic.go b/vendor/gopkg.in/yaml.v2/apic.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/decode.go b/vendor/gopkg.in/yaml.v2/decode.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/emitterc.go b/vendor/gopkg.in/yaml.v2/emitterc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/encode.go b/vendor/gopkg.in/yaml.v2/encode.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/go.mod b/vendor/gopkg.in/yaml.v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/parserc.go b/vendor/gopkg.in/yaml.v2/parserc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/readerc.go b/vendor/gopkg.in/yaml.v2/readerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/resolve.go b/vendor/gopkg.in/yaml.v2/resolve.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/scannerc.go b/vendor/gopkg.in/yaml.v2/scannerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/sorter.go b/vendor/gopkg.in/yaml.v2/sorter.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/writerc.go b/vendor/gopkg.in/yaml.v2/writerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/yaml.go b/vendor/gopkg.in/yaml.v2/yaml.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/yamlh.go b/vendor/gopkg.in/yaml.v2/yamlh.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v2/yamlprivateh.go b/vendor/gopkg.in/yaml.v2/yamlprivateh.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/.travis.yml b/vendor/gopkg.in/yaml.v3/.travis.yml old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/LICENSE b/vendor/gopkg.in/yaml.v3/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/NOTICE b/vendor/gopkg.in/yaml.v3/NOTICE old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/README.md b/vendor/gopkg.in/yaml.v3/README.md old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/apic.go b/vendor/gopkg.in/yaml.v3/apic.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/decode.go b/vendor/gopkg.in/yaml.v3/decode.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/emitterc.go b/vendor/gopkg.in/yaml.v3/emitterc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/encode.go b/vendor/gopkg.in/yaml.v3/encode.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/go.mod b/vendor/gopkg.in/yaml.v3/go.mod old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/parserc.go b/vendor/gopkg.in/yaml.v3/parserc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/readerc.go b/vendor/gopkg.in/yaml.v3/readerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/resolve.go b/vendor/gopkg.in/yaml.v3/resolve.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/scannerc.go b/vendor/gopkg.in/yaml.v3/scannerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/sorter.go b/vendor/gopkg.in/yaml.v3/sorter.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/writerc.go b/vendor/gopkg.in/yaml.v3/writerc.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/yaml.go b/vendor/gopkg.in/yaml.v3/yaml.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/yamlh.go b/vendor/gopkg.in/yaml.v3/yamlh.go old mode 100644 new mode 100755 diff --git a/vendor/gopkg.in/yaml.v3/yamlprivateh.go b/vendor/gopkg.in/yaml.v3/yamlprivateh.go old mode 100644 new mode 100755 diff --git a/vendor/modules.txt b/vendor/modules.txt old mode 100644 new mode 100755 index 0577cfe2c..55a71d816 --- a/vendor/modules.txt +++ b/vendor/modules.txt @@ -423,6 +423,9 @@ github.com/go-git/go-git/v5/utils/merkletrie/filesystem github.com/go-git/go-git/v5/utils/merkletrie/index github.com/go-git/go-git/v5/utils/merkletrie/internal/frame github.com/go-git/go-git/v5/utils/merkletrie/noder +# github.com/go-http-utils/headers v0.0.0-20181008091004-fed159eddc2a +## explicit +github.com/go-http-utils/headers # github.com/go-ini/ini v1.56.0 ## explicit github.com/go-ini/ini @@ -792,9 +795,6 @@ github.com/quasoft/websspi github.com/quasoft/websspi/secctx # github.com/remyoudompheng/bigfft v0.0.0-20190321074620-2f0d2b0e0001 ## explicit -# github.com/robfig/cron/v3 v3.0.1 -## explicit -github.com/robfig/cron/v3 # github.com/russross/blackfriday/v2 v2.0.1 github.com/russross/blackfriday/v2 # github.com/satori/go.uuid v1.2.0 diff --git a/vendor/mvdan.cc/xurls/v2/.gitignore b/vendor/mvdan.cc/xurls/v2/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/LICENSE b/vendor/mvdan.cc/xurls/v2/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/README.md b/vendor/mvdan.cc/xurls/v2/README.md old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/go.mod b/vendor/mvdan.cc/xurls/v2/go.mod old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/go.sum b/vendor/mvdan.cc/xurls/v2/go.sum old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/schemes.go b/vendor/mvdan.cc/xurls/v2/schemes.go old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/tlds.go b/vendor/mvdan.cc/xurls/v2/tlds.go old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/tlds_pseudo.go b/vendor/mvdan.cc/xurls/v2/tlds_pseudo.go old mode 100644 new mode 100755 diff --git a/vendor/mvdan.cc/xurls/v2/xurls.go b/vendor/mvdan.cc/xurls/v2/xurls.go old mode 100644 new mode 100755 diff --git a/vendor/strk.kbt.io/projects/go/libravatar/.editorconfig b/vendor/strk.kbt.io/projects/go/libravatar/.editorconfig old mode 100644 new mode 100755 diff --git a/vendor/strk.kbt.io/projects/go/libravatar/LICENSE b/vendor/strk.kbt.io/projects/go/libravatar/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/strk.kbt.io/projects/go/libravatar/Makefile b/vendor/strk.kbt.io/projects/go/libravatar/Makefile old mode 100644 new mode 100755 diff --git a/vendor/strk.kbt.io/projects/go/libravatar/README.md b/vendor/strk.kbt.io/projects/go/libravatar/README.md old mode 100644 new mode 100755 diff --git a/vendor/strk.kbt.io/projects/go/libravatar/libravatar.go b/vendor/strk.kbt.io/projects/go/libravatar/libravatar.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/.drone.yml b/vendor/xorm.io/builder/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/.gitignore b/vendor/xorm.io/builder/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/LICENSE b/vendor/xorm.io/builder/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/README.md b/vendor/xorm.io/builder/README.md old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder.go b/vendor/xorm.io/builder/builder.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_delete.go b/vendor/xorm.io/builder/builder_delete.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_insert.go b/vendor/xorm.io/builder/builder_insert.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_join.go b/vendor/xorm.io/builder/builder_join.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_limit.go b/vendor/xorm.io/builder/builder_limit.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_select.go b/vendor/xorm.io/builder/builder_select.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_set_operations.go b/vendor/xorm.io/builder/builder_set_operations.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/builder_update.go b/vendor/xorm.io/builder/builder_update.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond.go b/vendor/xorm.io/builder/cond.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_and.go b/vendor/xorm.io/builder/cond_and.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_between.go b/vendor/xorm.io/builder/cond_between.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_compare.go b/vendor/xorm.io/builder/cond_compare.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_eq.go b/vendor/xorm.io/builder/cond_eq.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_expr.go b/vendor/xorm.io/builder/cond_expr.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_if.go b/vendor/xorm.io/builder/cond_if.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_in.go b/vendor/xorm.io/builder/cond_in.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_like.go b/vendor/xorm.io/builder/cond_like.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_neq.go b/vendor/xorm.io/builder/cond_neq.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_not.go b/vendor/xorm.io/builder/cond_not.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_notin.go b/vendor/xorm.io/builder/cond_notin.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_null.go b/vendor/xorm.io/builder/cond_null.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/cond_or.go b/vendor/xorm.io/builder/cond_or.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/doc.go b/vendor/xorm.io/builder/doc.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/error.go b/vendor/xorm.io/builder/error.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/go.mod b/vendor/xorm.io/builder/go.mod old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/go.sum b/vendor/xorm.io/builder/go.sum old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/sql.go b/vendor/xorm.io/builder/sql.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/builder/writer.go b/vendor/xorm.io/builder/writer.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/.changelog.yml b/vendor/xorm.io/xorm/.changelog.yml old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/.drone.yml b/vendor/xorm.io/xorm/.drone.yml old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/.gitignore b/vendor/xorm.io/xorm/.gitignore old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/.revive.toml b/vendor/xorm.io/xorm/.revive.toml old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/CHANGELOG.md b/vendor/xorm.io/xorm/CHANGELOG.md old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/CONTRIBUTING.md b/vendor/xorm.io/xorm/CONTRIBUTING.md old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/LICENSE b/vendor/xorm.io/xorm/LICENSE old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/Makefile b/vendor/xorm.io/xorm/Makefile old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/README.md b/vendor/xorm.io/xorm/README.md old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/README_CN.md b/vendor/xorm.io/xorm/README_CN.md old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/cache.go b/vendor/xorm.io/xorm/caches/cache.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/encode.go b/vendor/xorm.io/xorm/caches/encode.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/leveldb.go b/vendor/xorm.io/xorm/caches/leveldb.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/lru.go b/vendor/xorm.io/xorm/caches/lru.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/manager.go b/vendor/xorm.io/xorm/caches/manager.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/caches/memory_store.go b/vendor/xorm.io/xorm/caches/memory_store.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/contexts/context_cache.go b/vendor/xorm.io/xorm/contexts/context_cache.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/convert.go b/vendor/xorm.io/xorm/convert.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/convert/conversion.go b/vendor/xorm.io/xorm/convert/conversion.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/db.go b/vendor/xorm.io/xorm/core/db.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/error.go b/vendor/xorm.io/xorm/core/error.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/interface.go b/vendor/xorm.io/xorm/core/interface.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/rows.go b/vendor/xorm.io/xorm/core/rows.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/scan.go b/vendor/xorm.io/xorm/core/scan.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/stmt.go b/vendor/xorm.io/xorm/core/stmt.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/core/tx.go b/vendor/xorm.io/xorm/core/tx.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/dialect.go b/vendor/xorm.io/xorm/dialects/dialect.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/driver.go b/vendor/xorm.io/xorm/dialects/driver.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/filter.go b/vendor/xorm.io/xorm/dialects/filter.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/gen_reserved.sh b/vendor/xorm.io/xorm/dialects/gen_reserved.sh old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/mssql.go b/vendor/xorm.io/xorm/dialects/mssql.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/mysql.go b/vendor/xorm.io/xorm/dialects/mysql.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/oracle.go b/vendor/xorm.io/xorm/dialects/oracle.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/pg_reserved.txt b/vendor/xorm.io/xorm/dialects/pg_reserved.txt old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/postgres.go b/vendor/xorm.io/xorm/dialects/postgres.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/quote.go b/vendor/xorm.io/xorm/dialects/quote.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/sqlite3.go b/vendor/xorm.io/xorm/dialects/sqlite3.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/table_name.go b/vendor/xorm.io/xorm/dialects/table_name.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/dialects/time.go b/vendor/xorm.io/xorm/dialects/time.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/doc.go b/vendor/xorm.io/xorm/doc.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/engine.go b/vendor/xorm.io/xorm/engine.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/engine_group.go b/vendor/xorm.io/xorm/engine_group.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/engine_group_policy.go b/vendor/xorm.io/xorm/engine_group_policy.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/error.go b/vendor/xorm.io/xorm/error.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/go.mod b/vendor/xorm.io/xorm/go.mod old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/go.sum b/vendor/xorm.io/xorm/go.sum old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/interface.go b/vendor/xorm.io/xorm/interface.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/json/json.go b/vendor/xorm.io/xorm/internal/json/json.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/cache.go b/vendor/xorm.io/xorm/internal/statements/cache.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/column_map.go b/vendor/xorm.io/xorm/internal/statements/column_map.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/expr_param.go b/vendor/xorm.io/xorm/internal/statements/expr_param.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/insert.go b/vendor/xorm.io/xorm/internal/statements/insert.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/pk.go b/vendor/xorm.io/xorm/internal/statements/pk.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/query.go b/vendor/xorm.io/xorm/internal/statements/query.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/statement.go b/vendor/xorm.io/xorm/internal/statements/statement.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/statement_args.go b/vendor/xorm.io/xorm/internal/statements/statement_args.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/update.go b/vendor/xorm.io/xorm/internal/statements/update.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/statements/values.go b/vendor/xorm.io/xorm/internal/statements/values.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/name.go b/vendor/xorm.io/xorm/internal/utils/name.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/reflect.go b/vendor/xorm.io/xorm/internal/utils/reflect.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/slice.go b/vendor/xorm.io/xorm/internal/utils/slice.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/sql.go b/vendor/xorm.io/xorm/internal/utils/sql.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/strings.go b/vendor/xorm.io/xorm/internal/utils/strings.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/internal/utils/zero.go b/vendor/xorm.io/xorm/internal/utils/zero.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/log/logger.go b/vendor/xorm.io/xorm/log/logger.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/log/logger_context.go b/vendor/xorm.io/xorm/log/logger_context.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/log/syslogger.go b/vendor/xorm.io/xorm/log/syslogger.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/names/mapper.go b/vendor/xorm.io/xorm/names/mapper.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/names/table_name.go b/vendor/xorm.io/xorm/names/table_name.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/processors.go b/vendor/xorm.io/xorm/processors.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/rows.go b/vendor/xorm.io/xorm/rows.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/column.go b/vendor/xorm.io/xorm/schemas/column.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/index.go b/vendor/xorm.io/xorm/schemas/index.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/pk.go b/vendor/xorm.io/xorm/schemas/pk.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/quote.go b/vendor/xorm.io/xorm/schemas/quote.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/table.go b/vendor/xorm.io/xorm/schemas/table.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/schemas/type.go b/vendor/xorm.io/xorm/schemas/type.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session.go b/vendor/xorm.io/xorm/session.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_cols.go b/vendor/xorm.io/xorm/session_cols.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_cond.go b/vendor/xorm.io/xorm/session_cond.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_convert.go b/vendor/xorm.io/xorm/session_convert.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_delete.go b/vendor/xorm.io/xorm/session_delete.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_exist.go b/vendor/xorm.io/xorm/session_exist.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_find.go b/vendor/xorm.io/xorm/session_find.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_get.go b/vendor/xorm.io/xorm/session_get.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_insert.go b/vendor/xorm.io/xorm/session_insert.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_iterate.go b/vendor/xorm.io/xorm/session_iterate.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_query.go b/vendor/xorm.io/xorm/session_query.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_raw.go b/vendor/xorm.io/xorm/session_raw.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_schema.go b/vendor/xorm.io/xorm/session_schema.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_stats.go b/vendor/xorm.io/xorm/session_stats.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_tx.go b/vendor/xorm.io/xorm/session_tx.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/session_update.go b/vendor/xorm.io/xorm/session_update.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/tags/parser.go b/vendor/xorm.io/xorm/tags/parser.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/tags/tag.go b/vendor/xorm.io/xorm/tags/tag.go old mode 100644 new mode 100755 diff --git a/vendor/xorm.io/xorm/xorm.go b/vendor/xorm.io/xorm/xorm.go old mode 100644 new mode 100755 From be3810d608cfb7139f1aeb6eb0dc94f190d4b6b4 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 25 Oct 2022 09:09:34 +0800 Subject: [PATCH 057/149] fix issue --- templates/custom/alert_cb.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/templates/custom/alert_cb.tmpl b/templates/custom/alert_cb.tmpl index 1e3ed5873..3ea03b8e5 100644 --- a/templates/custom/alert_cb.tmpl +++ b/templates/custom/alert_cb.tmpl @@ -5,7 +5,7 @@
您已经有 同类任务 正在等待或运行中,请等待任务结束再创建
-
可以在 “个人中心 > 云脑任务” 查看您所有的云脑任务
+
可以在 “个人中心 > 云脑任务” 查看您所有的云脑任务

From 91e93b293b9daf6cb2d3fe65372e0774c244cff5 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 25 Oct 2022 09:16:00 +0800 Subject: [PATCH 058/149] fix issue --- templates/custom/alert_cb.tmpl | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/templates/custom/alert_cb.tmpl b/templates/custom/alert_cb.tmpl index 3ea03b8e5..7961c2b16 100644 --- a/templates/custom/alert_cb.tmpl +++ b/templates/custom/alert_cb.tmpl @@ -9,4 +9,7 @@

-{{end}} \ No newline at end of file +{{end}} + \ No newline at end of file From e0a6f88c04aa2c3bb4068b417d31e2c05c4bb2c6 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 25 Oct 2022 09:19:59 +0800 Subject: [PATCH 059/149] fix issue --- templates/custom/alert_cb.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/templates/custom/alert_cb.tmpl b/templates/custom/alert_cb.tmpl index 7961c2b16..f8e46486a 100644 --- a/templates/custom/alert_cb.tmpl +++ b/templates/custom/alert_cb.tmpl @@ -11,5 +11,5 @@ {{end}} \ No newline at end of file From ea7d8ce9b743aa59cf8d8bafa93647c81571149c Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 25 Oct 2022 10:00:54 +0800 Subject: [PATCH 060/149] fix-2982 issue --- templates/custom/alert_cb.tmpl | 5 +---- templates/repo/grampus/trainjob/gpu/new.tmpl | 1 + templates/repo/grampus/trainjob/npu/new.tmpl | 1 + templates/repo/modelsafety/new.tmpl | 1 + 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/templates/custom/alert_cb.tmpl b/templates/custom/alert_cb.tmpl index f8e46486a..3ea03b8e5 100644 --- a/templates/custom/alert_cb.tmpl +++ b/templates/custom/alert_cb.tmpl @@ -9,7 +9,4 @@ -{{end}} - \ No newline at end of file +{{end}} \ No newline at end of file diff --git a/templates/repo/grampus/trainjob/gpu/new.tmpl b/templates/repo/grampus/trainjob/gpu/new.tmpl index e97ccfe59..439991813 100755 --- a/templates/repo/grampus/trainjob/gpu/new.tmpl +++ b/templates/repo/grampus/trainjob/gpu/new.tmpl @@ -64,6 +64,7 @@
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new"}}

diff --git a/templates/repo/grampus/trainjob/npu/new.tmpl b/templates/repo/grampus/trainjob/npu/new.tmpl index 51a561d3d..4b5666c37 100755 --- a/templates/repo/grampus/trainjob/npu/new.tmpl +++ b/templates/repo/grampus/trainjob/npu/new.tmpl @@ -59,6 +59,7 @@
{{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.train_job.new"}}

diff --git a/templates/repo/modelsafety/new.tmpl b/templates/repo/modelsafety/new.tmpl index 07bcd311d..9383c2f2a 100644 --- a/templates/repo/modelsafety/new.tmpl +++ b/templates/repo/modelsafety/new.tmpl @@ -56,6 +56,7 @@ {{$Grampus := (or (eq (index (SubJumpablePath .Link) 1) "create_grampus_gpu") (eq (index (SubJumpablePath .Link) 1) "create_grampus_npu"))}} {{template "base/alert" .}} + {{template "custom/alert_cb" .}}

{{.i18n.Tr "repo.modelarts.evaluate_job.new_job"}}

From 1567e9cff0640e9b3b918e18e82b1cf2b8242a29 Mon Sep 17 00:00:00 2001 From: ychao_1983 Date: Tue, 25 Oct 2022 10:54:32 +0800 Subject: [PATCH 061/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- services/cloudbrain/cloudbrainTask/count.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/services/cloudbrain/cloudbrainTask/count.go b/services/cloudbrain/cloudbrainTask/count.go index 25d56b0b6..c601edca6 100644 --- a/services/cloudbrain/cloudbrainTask/count.go +++ b/services/cloudbrain/cloudbrainTask/count.go @@ -49,7 +49,7 @@ var StatusInfoDict = map[string]StatusInfo{string(models.JobTypeDebug) + "-" + s ComputeResource: models.NPUResource, }, string(models.JobTypeInference) + "-" + strconv.Itoa(models.TypeCloudBrainTwo): { CloudBrainTypes: []int{models.TypeCloudBrainTwo}, - JobType: []models.JobType{models.JobTypeTrain}, + JobType: []models.JobType{models.JobTypeInference}, NotFinalStatuses: cloudbrainTwoNotFinalStatuses, ComputeResource: models.NPUResource, }, string(models.JobTypeTrain) + "-" + strconv.Itoa(models.TypeC2Net) + "-" + models.GPUResource: { From 674f4701c998cbd6f81e31d28c9f4a424f9fd31a Mon Sep 17 00:00:00 2001 From: Gitea Date: Tue, 25 Oct 2022 10:57:32 +0800 Subject: [PATCH 062/149] add convert --- templates/repo/modelmanage/convertIndex.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/templates/repo/modelmanage/convertIndex.tmpl b/templates/repo/modelmanage/convertIndex.tmpl index 26e79b04c..1802b3fdd 100644 --- a/templates/repo/modelmanage/convertIndex.tmpl +++ b/templates/repo/modelmanage/convertIndex.tmpl @@ -532,7 +532,7 @@ } } function isModel(filename){ - var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb",".pdmodel","pdparams",".params",".json"]; + var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb",".pdmodel","pdiparams",".params",".json"]; for(var i =0; i Date: Tue, 25 Oct 2022 11:04:55 +0800 Subject: [PATCH 063/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- models/cloudbrain.go | 2 +- services/cloudbrain/cloudbrainTask/count.go | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/models/cloudbrain.go b/models/cloudbrain.go index f0e27995e..1eaeffcd3 100755 --- a/models/cloudbrain.go +++ b/models/cloudbrain.go @@ -2024,7 +2024,7 @@ func GetCloudbrainRunCountByRepoID(repoID int64) (int, error) { } func GetModelSafetyCountByUserID(userID int64) (int, error) { - count, err := x.In("status", JobWaiting, JobRunning).And("job_type = ? and user_id = ?", string(JobTypeModelSafety), userID).Count(new(Cloudbrain)) + count, err := x.In("status", JobWaiting, JobRunning,ModelArtsTrainJobInit,ModelArtsTrainJobImageCreating,ModelArtsTrainJobSubmitTrying,ModelArtsTrainJobScaling,ModelArtsTrainJobCheckInit,ModelArtsTrainJobCheckRunning,ModelArtsTrainJobCheckRunningCompleted).And("job_type = ? and user_id = ?", string(JobTypeModelSafety), userID).Count(new(Cloudbrain)) return int(count), err } diff --git a/services/cloudbrain/cloudbrainTask/count.go b/services/cloudbrain/cloudbrainTask/count.go index c601edca6..a9b254618 100644 --- a/services/cloudbrain/cloudbrainTask/count.go +++ b/services/cloudbrain/cloudbrainTask/count.go @@ -34,7 +34,7 @@ var StatusInfoDict = map[string]StatusInfo{string(models.JobTypeDebug) + "-" + s ComputeResource: models.GPUResource, }, string(models.JobTypeBenchmark) + "-" + strconv.Itoa(models.TypeCloudBrainOne): { CloudBrainTypes: []int{models.TypeCloudBrainOne}, - JobType: []models.JobType{models.JobTypeBenchmark, models.JobTypeModelSafety, models.JobTypeBrainScore, models.JobTypeSnn4imagenet}, + JobType: []models.JobType{models.JobTypeBenchmark, models.JobTypeBrainScore, models.JobTypeSnn4imagenet}, NotFinalStatuses: cloudbrainOneNotFinalStatuses, ComputeResource: models.GPUResource, }, string(models.JobTypeDebug) + "-" + strconv.Itoa(models.TypeCloudBrainTwo): { From 378372df2f11cfb86aef0aab8e5e6ae4d0cbb863 Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Tue, 25 Oct 2022 11:28:52 +0800 Subject: [PATCH 064/149] #2959 add source_template_id --- models/reward_operate_record.go | 39 ++++++++++++++++++++------------------- 1 file changed, 20 insertions(+), 19 deletions(-) diff --git a/models/reward_operate_record.go b/models/reward_operate_record.go index f201be646..d9114d166 100644 --- a/models/reward_operate_record.go +++ b/models/reward_operate_record.go @@ -249,22 +249,23 @@ type AdminRewardOperateReq struct { } type RewardOperateRecordShow struct { - SerialNo string - Status string - OperateType string - SourceId string - Amount int64 - LossAmount int64 - BalanceAfter int64 - Remark string - SourceType string - UserName string - LastOperateDate timeutil.TimeStamp - UnitPrice int64 - SuccessCount int - Action *ActionShow - Cloudbrain *CloudbrainShow - AdminLog *RewardAdminLogShow + SerialNo string + Status string + OperateType string + SourceId string + Amount int64 + LossAmount int64 + BalanceAfter int64 + Remark string + SourceType string + SourceTemplateId string + UserName string + LastOperateDate timeutil.TimeStamp + UnitPrice int64 + SuccessCount int + Action *ActionShow + Cloudbrain *CloudbrainShow + AdminLog *RewardAdminLogShow } func getPointOperateRecord(tl *RewardOperateRecord) (*RewardOperateRecord, error) { @@ -419,7 +420,7 @@ func GetRewardRecordShowList(opts *RewardRecordListOpts) (RewardRecordShowList, r := make([]*RewardOperateRecordShow, 0) err = x.Table("reward_operate_record").Cols("reward_operate_record.source_id", "reward_operate_record.serial_no", "reward_operate_record.status", "reward_operate_record.operate_type", "reward_operate_record.amount", - "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", + "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", "reward_operate_record.source_template_id", "reward_operate_record.last_operate_unix as last_operate_date"). Where(cond).Limit(opts.PageSize, (opts.Page-1)*opts.PageSize).OrderBy(string(opts.OrderBy)).Find(&r) @@ -441,7 +442,7 @@ func GetAdminRewardRecordShowList(opts *RewardRecordListOpts) (RewardRecordShowL case OperateTypeIncrease: err = x.Table("reward_operate_record").Cols("reward_operate_record.source_id", "reward_operate_record.serial_no", "reward_operate_record.status", "reward_operate_record.operate_type", "reward_operate_record.amount", - "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", + "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", "reward_operate_record.source_template_id", "reward_operate_record.last_operate_unix as last_operate_date", "public.user.name as user_name", "point_account_log.balance_after"). Join("LEFT", "public.user", "reward_operate_record.user_id = public.user.id"). @@ -450,7 +451,7 @@ func GetAdminRewardRecordShowList(opts *RewardRecordListOpts) (RewardRecordShowL case OperateTypeDecrease: err = x.Table("reward_operate_record").Cols("reward_operate_record.source_id", "reward_operate_record.serial_no", "reward_operate_record.status", "reward_operate_record.operate_type", "reward_operate_record.amount", - "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", + "reward_operate_record.loss_amount", "reward_operate_record.remark", "reward_operate_record.source_type", "reward_operate_record.source_template_id", "reward_operate_record.last_operate_unix as last_operate_date", "public.user.name as user_name", "reward_periodic_task.amount as unit_price", "reward_periodic_task.success_count"). Join("LEFT", "public.user", "reward_operate_record.user_id = public.user.id"). From 9f7b111750b7652ddeeafe086852f806f3e21676 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Tue, 25 Oct 2022 15:19:53 +0800 Subject: [PATCH 065/149] =?UTF-8?q?=E8=B5=84=E6=BA=90=E8=AF=B4=E6=98=8E?= =?UTF-8?q?=E6=89=80=E6=9C=89=E5=85=A5=E5=8F=A3=E6=B7=BB=E5=8A=A0?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- options/locale/locale_en-US.ini | 2 +- options/locale/locale_zh-CN.ini | 1 + templates/base/footer_content.tmpl | 2 +- templates/base/footer_content_fluid.tmpl | 1 + templates/repo/cloudbrain/benchmark/new.tmpl | 6 ++++++ templates/repo/cloudbrain/inference/new.tmpl | 2 ++ templates/repo/cloudbrain/new.tmpl | 2 ++ templates/repo/cloudbrain/trainjob/new.tmpl | 2 ++ templates/repo/grampus/trainjob/gpu/new.tmpl | 2 ++ templates/repo/grampus/trainjob/npu/new.tmpl | 2 ++ templates/repo/modelarts/inferencejob/new.tmpl | 2 ++ templates/repo/modelarts/notebook/new.tmpl | 2 ++ templates/repo/modelarts/trainjob/new.tmpl | 2 ++ templates/repo/modelarts/trainjob/version_new.tmpl | 2 ++ templates/repo/modelsafety/new.tmpl | 2 ++ 15 files changed, 30 insertions(+), 2 deletions(-) diff --git a/options/locale/locale_en-US.ini b/options/locale/locale_en-US.ini index 773a338c1..6aca6bd20 100755 --- a/options/locale/locale_en-US.ini +++ b/options/locale/locale_en-US.ini @@ -3177,7 +3177,7 @@ foot.help = help foot.copyright= Copyright: New Generation Artificial Intelligence Open Source Open Platform (OpenI) Platform_Tutorial = Tutorial foot.advice_feedback = Feedback - +resource_description = Resource Note [cloudbrain] all_resource_cluster=All Cluster all_ai_center=All Computing NET diff --git a/options/locale/locale_zh-CN.ini b/options/locale/locale_zh-CN.ini index 8ba4d252d..9a99fa5b5 100755 --- a/options/locale/locale_zh-CN.ini +++ b/options/locale/locale_zh-CN.ini @@ -3194,6 +3194,7 @@ foot.help=帮助 foot.copyright= 版权所有:新一代人工智能开源开放平台(OpenI) Platform_Tutorial=新手指引 foot.advice_feedback = 意见反馈 +resource_description = 资源说明 [cloudbrain] all_resource_cluster=全部集群 diff --git a/templates/base/footer_content.tmpl b/templates/base/footer_content.tmpl index ce4ea5cc6..8786af653 100755 --- a/templates/base/footer_content.tmpl +++ b/templates/base/footer_content.tmpl @@ -36,7 +36,7 @@ {{else}} {{.i18n.Tr "custom.foot.advice_feedback"}} {{end}} - {{.i18n.Tr "custom.Platform_Tutorial"}} + {{.i18n.Tr "custom.resource_description"}} {{template "custom/extra_links_footer" .}}
diff --git a/templates/base/footer_content_fluid.tmpl b/templates/base/footer_content_fluid.tmpl index 24b18e94d..723c78045 100755 --- a/templates/base/footer_content_fluid.tmpl +++ b/templates/base/footer_content_fluid.tmpl @@ -33,6 +33,7 @@ {{else}} {{.i18n.Tr "custom.foot.advice_feedback"}} {{end}} + {{.i18n.Tr "custom.resource_description"}} {{template "custom/extra_links_footer" .}}
diff --git a/templates/repo/cloudbrain/benchmark/new.tmpl b/templates/repo/cloudbrain/benchmark/new.tmpl index 13665c036..23ac60427 100755 --- a/templates/repo/cloudbrain/benchmark/new.tmpl +++ b/templates/repo/cloudbrain/benchmark/new.tmpl @@ -136,6 +136,8 @@ {{if .CloudBrainPaySwitch}}blance="{{.PointAccount.Balance}}"{{end}} name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} @@ -248,6 +250,8 @@ {{if .CloudBrainPaySwitch}}blance="{{.PointAccount.Balance}}"{{end}} name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} @@ -334,6 +338,8 @@ placeholder="{{.i18n.Tr "cloudbrain.select_specification"}}" style='width:385px' ovalue="{{.spec_id}}" name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}}
diff --git a/templates/repo/cloudbrain/inference/new.tmpl b/templates/repo/cloudbrain/inference/new.tmpl index 630df7a2e..fc57e3a6b 100644 --- a/templates/repo/cloudbrain/inference/new.tmpl +++ b/templates/repo/cloudbrain/inference/new.tmpl @@ -256,6 +256,8 @@ + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/cloudbrain/new.tmpl b/templates/repo/cloudbrain/new.tmpl index fb7ccbed1..0c545c7c1 100755 --- a/templates/repo/cloudbrain/new.tmpl +++ b/templates/repo/cloudbrain/new.tmpl @@ -149,6 +149,8 @@ {{if .CloudBrainPaySwitch}}blance="{{.PointAccount.Balance}}"{{end}} name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/cloudbrain/trainjob/new.tmpl b/templates/repo/cloudbrain/trainjob/new.tmpl index 607af5f07..9c778f3f8 100755 --- a/templates/repo/cloudbrain/trainjob/new.tmpl +++ b/templates/repo/cloudbrain/trainjob/new.tmpl @@ -216,6 +216,8 @@ {{if .CloudBrainPaySwitch}}blance="{{.PointAccount.Balance}}"{{end}} name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/grampus/trainjob/gpu/new.tmpl b/templates/repo/grampus/trainjob/gpu/new.tmpl index e97ccfe59..97a7cedcf 100755 --- a/templates/repo/grampus/trainjob/gpu/new.tmpl +++ b/templates/repo/grampus/trainjob/gpu/new.tmpl @@ -189,6 +189,8 @@
+ + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/grampus/trainjob/npu/new.tmpl b/templates/repo/grampus/trainjob/npu/new.tmpl index 51a561d3d..3528cc661 100755 --- a/templates/repo/grampus/trainjob/npu/new.tmpl +++ b/templates/repo/grampus/trainjob/npu/new.tmpl @@ -199,6 +199,8 @@
+ + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/modelarts/inferencejob/new.tmpl b/templates/repo/modelarts/inferencejob/new.tmpl index d2f6a8194..855f5b1b6 100644 --- a/templates/repo/modelarts/inferencejob/new.tmpl +++ b/templates/repo/modelarts/inferencejob/new.tmpl @@ -276,6 +276,8 @@
+ + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/modelarts/notebook/new.tmpl b/templates/repo/modelarts/notebook/new.tmpl index f9c4670a5..da29a4e46 100755 --- a/templates/repo/modelarts/notebook/new.tmpl +++ b/templates/repo/modelarts/notebook/new.tmpl @@ -82,6 +82,8 @@ + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/modelarts/trainjob/new.tmpl b/templates/repo/modelarts/trainjob/new.tmpl index 0e1e8eedb..1250b8805 100755 --- a/templates/repo/modelarts/trainjob/new.tmpl +++ b/templates/repo/modelarts/trainjob/new.tmpl @@ -247,6 +247,8 @@
+ + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/modelarts/trainjob/version_new.tmpl b/templates/repo/modelarts/trainjob/version_new.tmpl index 89bf6fc08..e1107ce84 100644 --- a/templates/repo/modelarts/trainjob/version_new.tmpl +++ b/templates/repo/modelarts/trainjob/version_new.tmpl @@ -236,6 +236,8 @@
+ + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} diff --git a/templates/repo/modelsafety/new.tmpl b/templates/repo/modelsafety/new.tmpl index 07bcd311d..1b97207b7 100644 --- a/templates/repo/modelsafety/new.tmpl +++ b/templates/repo/modelsafety/new.tmpl @@ -299,6 +299,8 @@ {{if .CloudBrainPaySwitch}}blance="{{.PointAccount.Balance}}"{{end}} name="spec_id"> + + {{.i18n.Tr "custom.resource_description"}} {{if .CloudBrainPaySwitch}}
{{$.i18n.Tr "points.balance_of_points"}}{{.PointAccount.Balance}}{{$.i18n.Tr "points.points"}}{{$.i18n.Tr "points.expected_time"}}{{$.i18n.Tr "points.hours"}} From f81aefdec22014e3a065b423e69591d6df5b4df0 Mon Sep 17 00:00:00 2001 From: liuzx Date: Tue, 25 Oct 2022 15:22:04 +0800 Subject: [PATCH 066/149] update --- routers/api/v1/repo/cloudbrain_dashboard.go | 3 +++ routers/routes/routes.go | 1 - 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain_dashboard.go b/routers/api/v1/repo/cloudbrain_dashboard.go index 6da731f5e..9d410f1c2 100755 --- a/routers/api/v1/repo/cloudbrain_dashboard.go +++ b/routers/api/v1/repo/cloudbrain_dashboard.go @@ -1553,6 +1553,9 @@ func GetDurationRateStatistic(ctx *context.Context) { func CloudbrainDurationStatisticForTest(ctx *context.Context) { repo.CloudbrainDurationStatisticHour() + ctx.JSON(http.StatusOK, map[string]interface{}{ + "message": 0, + }) } func getBeginAndEndTime(ctx *context.Context) (time.Time, time.Time) { diff --git a/routers/routes/routes.go b/routers/routes/routes.go index 899918339..4fe7c6622 100755 --- a/routers/routes/routes.go +++ b/routers/routes/routes.go @@ -389,7 +389,6 @@ func RegisterRoutes(m *macaron.Macaron) { m.Get("/^:type(issues|pulls)$", reqSignIn, user.Issues) m.Get("/milestones", reqSignIn, reqMilestonesDashboardPageEnabled, user.Milestones) m.Get("/cloudbrains", reqSignIn, user.Cloudbrains) - m.Get("/duration", repo.CloudbrainDurationStatisticHour) // ***** START: User ***** m.Group("/user", func() { From 31261936608e110d64347bd55b6377277ebd447e Mon Sep 17 00:00:00 2001 From: Gitea Date: Tue, 25 Oct 2022 16:11:34 +0800 Subject: [PATCH 067/149] modified --- options/locale/locale_en-US.ini | 2 +- options/locale/locale_zh-CN.ini | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/options/locale/locale_en-US.ini b/options/locale/locale_en-US.ini index 773a338c1..ecd2bb038 100755 --- a/options/locale/locale_en-US.ini +++ b/options/locale/locale_en-US.ini @@ -3216,7 +3216,7 @@ view_sample = View sample inference_output_path_rule = The inference output path is stored in the run parameter result_url. model_file_path_rule=The model file location is stored in the run parameter ckpt_url model_file_postfix_rule = The supported format of the model file is [ckpt, pb, h5, json, pkl, pth, t7, pdparams, onnx, pbtxt, keras, mlmodel, cfg, pt] -model_convert_postfix_rule = The supported format of the model file is [.pth, .pkl, .onnx, .mindir, .ckpt, .pb] +model_convert_postfix_rule = The supported format of the model file is [.pth, .pkl, .onnx, .mindir, .ckpt, .pb, .pdmodel, .pdiparams, .params, .json] delete_task = Delete task task_delete_confirm = Are you sure you want to delete this task? Once this task is deleted, it cannot be recovered. operate_confirm = confirm diff --git a/options/locale/locale_zh-CN.ini b/options/locale/locale_zh-CN.ini index 8ba4d252d..74e46c6ea 100755 --- a/options/locale/locale_zh-CN.ini +++ b/options/locale/locale_zh-CN.ini @@ -3234,7 +3234,7 @@ view_sample = 查看样例 inference_output_path_rule = 推理输出路径存储在运行参数 result_url 中。 model_file_path_rule = 模型文件位置存储在运行参数 ckpt_url 中。 model_file_postfix_rule = 模型文件支持的格式为 [ckpt, pb, h5, json, pkl, pth, t7, pdparams, onnx, pbtxt, keras, mlmodel, cfg, pt] -model_convert_postfix_rule = 模型文件支持的格式为 [.pth, .pkl, .onnx, .mindir, .ckpt, .pb] +model_convert_postfix_rule = 模型文件支持的格式为 [.pth, .pkl, .onnx, .mindir, .ckpt, .pb, .pdmodel, .pdiparams, .params, .json] delete_task = 删除任务 task_delete_confirm = 你确认删除该任务么?此任务一旦删除不可恢复。 operate_confirm = 确定操作 From 3dc3273f53afd2b6c03a7adebd60477ea73a3035 Mon Sep 17 00:00:00 2001 From: Gitea Date: Tue, 25 Oct 2022 16:16:54 +0800 Subject: [PATCH 068/149] modified --- templates/repo/modelmanage/convertIndex.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/templates/repo/modelmanage/convertIndex.tmpl b/templates/repo/modelmanage/convertIndex.tmpl index 1802b3fdd..05b5306c8 100644 --- a/templates/repo/modelmanage/convertIndex.tmpl +++ b/templates/repo/modelmanage/convertIndex.tmpl @@ -532,7 +532,7 @@ } } function isModel(filename){ - var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb",".pdmodel","pdiparams",".params",".json"]; + var postfix=[".pth",".pkl",".onnx",".mindir",".ckpt",".pb",".pdmodel",".pdiparams",".params",".json"]; for(var i =0; i Date: Tue, 25 Oct 2022 16:45:14 +0800 Subject: [PATCH 069/149] unzip model --- models/cloudbrain.go | 2 ++ modules/grampus/grampus.go | 2 +- modules/urfs_client/urchin/schedule.go | 12 ++++-------- routers/api/v1/repo/modelarts.go | 4 +++- routers/repo/cloudbrain.go | 4 +++- routers/repo/grampus.go | 6 +++++- 6 files changed, 18 insertions(+), 12 deletions(-) diff --git a/models/cloudbrain.go b/models/cloudbrain.go index 6135dac40..7307b5712 100755 --- a/models/cloudbrain.go +++ b/models/cloudbrain.go @@ -116,6 +116,8 @@ const ( GrampusStatusStopped = "STOPPED" GrampusStatusUnknown = "UNKNOWN" GrampusStatusWaiting = "WAITING" + + ModelSuffix = "models.zip" ) const ( diff --git a/modules/grampus/grampus.go b/modules/grampus/grampus.go index 5d92af5aa..815ec986c 100755 --- a/modules/grampus/grampus.go +++ b/modules/grampus/grampus.go @@ -27,7 +27,7 @@ const ( CodeArchiveName = "master.zip" BucketRemote = "grampus" - RemoteModelPath = "/output/models.zip" + RemoteModelPath = "/output/" + models.ModelSuffix ) var ( diff --git a/modules/urfs_client/urchin/schedule.go b/modules/urfs_client/urchin/schedule.go index 72266b589..73ea7b39d 100755 --- a/modules/urfs_client/urchin/schedule.go +++ b/modules/urfs_client/urchin/schedule.go @@ -1,14 +1,14 @@ package urchin import ( - "code.gitea.io/gitea/modules/labelmsg" - "code.gitea.io/gitea/modules/setting" "encoding/json" "fmt" "strings" "code.gitea.io/gitea/models" + "code.gitea.io/gitea/modules/labelmsg" "code.gitea.io/gitea/modules/log" + "code.gitea.io/gitea/modules/setting" ) type DecompressReq struct { @@ -16,10 +16,6 @@ type DecompressReq struct { DestPath string `json:"dest_path"` } -const ( - modelSuffix = "models.zip" -) - var urfsClient Urchinfs func getUrfsClient() { @@ -54,7 +50,7 @@ func GetBackNpuModel(cloudbrainID int64, endpoint, bucket, objectKey, destPeerHo switch res.StatusCode { case models.StorageScheduleSucceed: log.Info("ScheduleDataToPeerByKey succeed") - decompress(res.DataRoot+"/"+res.DataPath, setting.Bucket+"/"+strings.TrimSuffix(res.DataPath, modelSuffix)) + decompress(res.DataRoot+"/"+res.DataPath, setting.Bucket+"/"+strings.TrimSuffix(res.DataPath, models.ModelSuffix)) case models.StorageScheduleProcessing: log.Info("ScheduleDataToPeerByKey processing") case models.StorageScheduleFailed: @@ -89,7 +85,7 @@ func HandleScheduleRecords() error { switch res.StatusCode { case models.StorageScheduleSucceed: log.Info("ScheduleDataToPeerByKey(%s) succeed", record.ObjectKey) - decompress(record.Bucket+"/"+record.ObjectKey, setting.Bucket+"/"+strings.TrimSuffix(record.ObjectKey, modelSuffix)) + decompress(record.Bucket+"/"+record.ObjectKey, setting.Bucket+"/"+strings.TrimSuffix(record.ObjectKey, models.ModelSuffix)) case models.StorageScheduleProcessing: log.Info("ScheduleDataToPeerByKey(%s) processing", record.ObjectKey) case models.StorageScheduleFailed: diff --git a/routers/api/v1/repo/modelarts.go b/routers/api/v1/repo/modelarts.go index e65fcecd3..627581d4a 100755 --- a/routers/api/v1/repo/modelarts.go +++ b/routers/api/v1/repo/modelarts.go @@ -182,7 +182,9 @@ func GetModelArtsTrainJobVersion(ctx *context.APIContext) { if oldStatus != job.Status { notification.NotifyChangeCloudbrainStatus(job, oldStatus) if models.IsTrainJobTerminal(job.Status) { - urchin.GetBackNpuModel(job.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(job.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + if len(result.JobInfo.Tasks[0].CenterID) == 1 { + urchin.GetBackNpuModel(job.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(job.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + } } } err = models.UpdateTrainJobVersion(job) diff --git a/routers/repo/cloudbrain.go b/routers/repo/cloudbrain.go index ee18c725d..85fbddd55 100755 --- a/routers/repo/cloudbrain.go +++ b/routers/repo/cloudbrain.go @@ -1941,7 +1941,9 @@ func SyncCloudbrainStatus() { if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) if models.IsTrainJobTerminal(task.Status) { - urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + if len(result.JobInfo.Tasks[0].CenterID) == 1 { + urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + } } } err = models.UpdateJob(task) diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index 6ba8e0f9d..3319ef36c 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -872,7 +872,9 @@ func GrampusTrainJobShow(ctx *context.Context) { if oldStatus != task.Status { notification.NotifyChangeCloudbrainStatus(task, oldStatus) if models.IsTrainJobTerminal(task.Status) { - urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + if len(result.JobInfo.Tasks[0].CenterID) == 1 { + urchin.GetBackNpuModel(task.ID, grampus.GetRemoteEndPoint(result.JobInfo.Tasks[0].CenterID[0]), grampus.BucketRemote, grampus.GetNpuModelObjectKey(task.JobName), grampus.GetCenterProxy(setting.Grampus.LocalCenterID)) + } } } err = models.UpdateJob(task) @@ -1079,6 +1081,7 @@ func generateDatasetUnzipCommand(datasetName string) string { if strings.HasSuffix(datasetNameArray[0], ".tar.gz") { unZipDatasetCommand = "tar --strip-components=1 -zxvf '" + datasetName + "';" } + unZipDatasetCommand += "rm -f " + datasetName + ";" } else { //多数据集 for _, datasetNameTemp := range datasetNameArray { @@ -1087,6 +1090,7 @@ func generateDatasetUnzipCommand(datasetName string) string { } else { unZipDatasetCommand = unZipDatasetCommand + "unzip -q '" + datasetNameTemp + "' -d './" + strings.TrimSuffix(datasetNameTemp, ".zip") + "';" } + unZipDatasetCommand += "rm -f " + datasetNameTemp + ";" } } From cc99634a1a6b6c9f2b44975cd90398fc38e10491 Mon Sep 17 00:00:00 2001 From: zouap Date: Wed, 26 Oct 2022 09:20:18 +0800 Subject: [PATCH 070/149] =?UTF-8?q?#3063,=E9=A6=96=E9=A1=B5=E6=96=87?= =?UTF-8?q?=E5=AD=97=E6=8F=8F=E8=BF=B0=E6=9B=B4=E6=94=B9=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- options/locale/locale_en-US.ini | 2 +- options/locale/locale_zh-CN.ini | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/options/locale/locale_en-US.ini b/options/locale/locale_en-US.ini index 081db13ab..75314f6ec 100755 --- a/options/locale/locale_en-US.ini +++ b/options/locale/locale_en-US.ini @@ -266,7 +266,7 @@ page_dev_yunlao_desc4=Developers can freely select the corresponding computing r page_dev_yunlao_desc5=If your model requires more computing resources, you can also apply for it separately. page_dev_yunlao_apply=Apply Separately c2net_title=China Computing Network -c2net_desc=The artificial intelligence computing power network promotion alliance has access to 11 intelligent computing centers, with a total scale of 1924p. +c2net_desc=Extensive access to intelligent computing centers and supercomputing centers across the country to provide users with free computing resources. c2net_center=Center search=Search search_repo=Repository diff --git a/options/locale/locale_zh-CN.ini b/options/locale/locale_zh-CN.ini index ae8b6adc4..a6a841b76 100755 --- a/options/locale/locale_zh-CN.ini +++ b/options/locale/locale_zh-CN.ini @@ -267,8 +267,8 @@ page_dev_yunlao_desc3=中国算力网(C²NET)一期可实现不同人工智 page_dev_yunlao_desc4=开发者可以根据使用需求,自由选择相应计算资源,可以测试模型在不同硬件环境下的适配能力、性能、稳定性等。 page_dev_yunlao_desc5=如果您的模型需要更多的计算资源,也可以单独申请。 page_dev_yunlao_apply=单独申请 -c2net_title=智算网络 -c2net_desc=人工智能算力网络推进联盟已接入11家智算中心,算力总规模1924P +c2net_title=中国算力网 +c2net_desc=广泛接入全国各地智算中心、超算中心,为用户提供免费算力资源 c2net_center=中心 search=搜索 search_repo=项目 From 7e07546f565c3f77d1ce24e953d2d962e233b1cb Mon Sep 17 00:00:00 2001 From: chenyifan01 Date: Wed, 26 Oct 2022 09:56:46 +0800 Subject: [PATCH 071/149] add log --- routers/api/v1/repo/migrate.go | 1 + 1 file changed, 1 insertion(+) diff --git a/routers/api/v1/repo/migrate.go b/routers/api/v1/repo/migrate.go index ed6ca69e2..2f28b0bd3 100644 --- a/routers/api/v1/repo/migrate.go +++ b/routers/api/v1/repo/migrate.go @@ -220,6 +220,7 @@ func handleMigrateError(ctx *context.APIContext, repoOwner *models.User, remoteA } func MigrateSubmit(ctx *context.APIContext, form auth.MigrateRepoForm) { + log.Info("receive MigrateSubmit request") ctxUser, bizErr := checkContextUser(ctx, form.UID) if bizErr != nil { ctx.JSON(http.StatusOK, response.ResponseError(bizErr)) From 49493aa43287f85623f9ddae1abef341a857d349 Mon Sep 17 00:00:00 2001 From: chenshihai Date: Wed, 26 Oct 2022 15:01:04 +0800 Subject: [PATCH 072/149] =?UTF-8?q?#2959=20=E3=80=90=E7=A7=AF=E5=88=86?= =?UTF-8?q?=E3=80=91=E5=88=A0=E9=99=A4=E9=A1=B9=E7=9B=AE=E5=90=8E=EF=BC=8C?= =?UTF-8?q?=E5=9B=A0=E5=88=9B=E5=BB=BA=E9=A1=B9=E7=9B=AE=E8=8E=B7=E5=BE=97?= =?UTF-8?q?=E7=A7=AF=E5=88=86=E7=9A=84=E6=98=8E=E7=BB=86=E8=AE=B0=E5=BD=95?= =?UTF-8?q?=E7=A7=AF=E5=88=86=E8=A1=8C=E4=B8=BA=E3=80=81=E8=AF=B4=E6=98=8E?= =?UTF-8?q?=E6=A0=8F=E9=83=BD=E7=A9=BA=E4=BA=86?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- web_src/vuepages/langs/config/en-US.js | 1 + web_src/vuepages/langs/config/zh-CN.js | 1 + web_src/vuepages/pages/reward/point/utils.js | 96 ++++++++++++++++------------ 3 files changed, 58 insertions(+), 40 deletions(-) diff --git a/web_src/vuepages/langs/config/en-US.js b/web_src/vuepages/langs/config/en-US.js index 9258d1656..bcd1cfe43 100644 --- a/web_src/vuepages/langs/config/en-US.js +++ b/web_src/vuepages/langs/config/en-US.js @@ -54,6 +54,7 @@ const en = { taskName: 'Task Name', createdRepository: 'created repository ', + repositoryWasDel: 'repository was deleted', openedIssue: 'opened issue ', createdPullRequest: 'created pull request ', commentedOnIssue: 'commented on issue ', diff --git a/web_src/vuepages/langs/config/zh-CN.js b/web_src/vuepages/langs/config/zh-CN.js index c9d9f7a8c..5b8e800d8 100644 --- a/web_src/vuepages/langs/config/zh-CN.js +++ b/web_src/vuepages/langs/config/zh-CN.js @@ -54,6 +54,7 @@ const zh = { taskName: '任务名称', createdRepository: '创建了项目', + repositoryWasDel: '项目已删除', openedIssue: '创建了任务', createdPullRequest: '创建了合并请求', commentedOnIssue: '评论了任务', diff --git a/web_src/vuepages/pages/reward/point/utils.js b/web_src/vuepages/pages/reward/point/utils.js index 4d0f359a3..800fd64e2 100644 --- a/web_src/vuepages/pages/reward/point/utils.js +++ b/web_src/vuepages/pages/reward/point/utils.js @@ -25,7 +25,7 @@ const getJobType = (key) => { }; const getJobTypeLink = (record, type) => { - let link = type === 'INCREASE' ? record.Action.RepoLink : '/' + record.Cloudbrain.RepoFullName; + let link = type === 'INCREASE' ? record.Action?.RepoLink : '/' + record.Cloudbrain?.RepoFullName; const cloudbrain = type === 'INCREASE' ? record.Action?.Cloudbrain : record.Cloudbrain; switch (cloudbrain?.JobType) { case 'DEBUG': @@ -61,7 +61,7 @@ const renderSpecStr = (spec, showPoint) => { var gpuMemStr = spec.GPUMemGiB != 0 ? `${i18n.t('resourcesManagement.gpuMem')}: ${spec.GPUMemGiB}GB, ` : ''; var sharedMemStr = spec.ShareMemGiB != 0 ? `, ${i18n.t('resourcesManagement.shareMem')}: ${spec.ShareMemGiB}GB` : ''; var workServerNum = spec.workServerNumber; - var workServerNumStr = showPoint && workServerNum != 1 && spec.UnitPrice != 0 ? '*' + workServerNum + i18n.t('resourcesManagement.node') : ''; + var workServerNumStr = showPoint && workServerNum != 1 && spec.UnitPrice != 0 ? '*' + workServerNum + i18n.t('resourcesManagement.node') : ''; var pointStr = showPoint ? `, ${spec.UnitPrice == 0 ? i18n.t('resourcesManagement.free') : spec.UnitPrice + i18n.t('resourcesManagement.point_hr') + workServerNumStr}` : ''; var specStr = `${ngpu}, CPU: ${spec.CpuCores}, ${gpuMemStr}${i18n.t('resourcesManagement.mem')}: ${spec.MemGiB}GB${sharedMemStr}${pointStr}`; return specStr; @@ -79,7 +79,7 @@ export const getRewardPointRecordInfo = (record) => { duration: record?.Cloudbrain?.Duration || '--', taskName: record?.Cloudbrain?.DisplayJobName || '--', taskId: record?.Cloudbrain?.ID, - action: record?.Action?.TaskType ? getPointAction(record.Action.TaskType) : '--', + action: record?.SourceTemplateId ? getPointAction(record.SourceTemplateId) : '--', remark: record.Remark, amount: record.Amount, }; @@ -91,33 +91,41 @@ export const getRewardPointRecordInfo = (record) => { record.Action.Cloudbrain.oJobType = 'MODELSAFETY'; record.Action.Cloudbrain.JobType = 'BENCHMARK'; } - switch (record?.Action?.TaskType) { + switch (record?.SourceTemplateId) { case 'CreatePublicRepo': // 创建公开项目 - 创建了项目OpenI/aiforge - out.remark = `${i18n.t('createdRepository')}${record.Action.ShortRepoFullDisplayName}`; + out.remark = record.Action ? `${i18n.t('createdRepository')}${record.Action.ShortRepoFullDisplayName}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'CreateIssue': // 每日提出任务 - 创建了任务PCL-Platform.Intelligence/AISynergy#19 - out.remark = `${i18n.t('openedIssue')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}`; + out.remark = record.Action ? `${i18n.t('openedIssue')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'CreatePullRequest': // 每日提出PR - 创建了合并请求OpenI/aiforge#1 - out.remark = `${i18n.t('createdPullRequest')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}`; + out.remark = record.Action ? `${i18n.t('createdPullRequest')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'CommentIssue': // 发表评论 - 评论了任务PCL-Platform.Intelligence/AISynergy#19 - out.remark = `${i18n.t('commentedOnIssue')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}`; + out.remark = record.Action ? `${i18n.t('commentedOnIssue')}${record.Action.ShortRepoFullDisplayName}#${record.Action.IssueInfos[0]}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'UploadAttachment': // 上传数据集文件 - 上传了数据集文件MMISTData.zip - out.remark = `${i18n.t('uploadDataset')}${record.Action.RefName}`; + out.remark = record.Action ? `${i18n.t('uploadDataset')}${record.Action?.RefName}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'CreateNewModelTask': // 导入新模型 - 导入了新模型resnet50_qx7l - out.remark = `${i18n.t('createdNewModel')}${record.Action.RefName}`; + out.remark = record.Action ? `${i18n.t('createdNewModel')}${record.Action?.RefName}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'BindWechat': // 完成微信扫码验证 - 首次绑定微信奖励 out.remark = `${i18n.t('firstBindingWechatRewards')}`; break; case 'CreateCloudbrainTask': // 每日运行云脑任务 - 创建了(CPU/GPU/NPU)类型(调试/训练/推理/评测)任务tangl202204131431995 - out.remark = `${i18n.t('created')}${record.Action?.Cloudbrain?.ComputeResource}${i18n.t('type')}${getJobType(record.Action?.Cloudbrain?.JobType)} ${record.Action.RefName}`; + out.remark = record.Action ? `${i18n.t('created')}${record.Action?.Cloudbrain?.ComputeResource}${i18n.t('type')}${getJobType(record.Action?.Cloudbrain?.JobType)} ${record.Action.RefName}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'DatasetRecommended': // 数据集被平台推荐 - 数据集XXX被设置为推荐数据集 - out.remark = `${i18n.t('dataset')}${record.Action.Content && record.Action.Content.split('|')[1]}${i18n.t('setAsRecommendedDataset')}`; + out.remark = record.Action ? `${i18n.t('dataset')}${record.Action.Content && record.Action.Content.split('|')[1]}${i18n.t('setAsRecommendedDataset')}` + : `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; break; case 'CreateImage': // 提交新公开镜像 - 提交了镜像jiangxiang_ceshi_tang03 out.remark = `${i18n.t('committedImage')}${record.Action.Content && record.Action.Content.split('|')[1]}`; @@ -129,33 +137,37 @@ export const getRewardPointRecordInfo = (record) => { out.remark = `${i18n.t('updatedAvatar')}`; break; case 'PushCommits': // 每日commit - 推送了xxxx分支的代码到OpenI/aiforge - const opType = record.Action.OpType; - if (opType == 5) { - const words = record.Action.RefName.split('/'); - const branch = words[words.length - 1]; - out.remark = `${i18n.t('pushedBranch', { - branch: `${branch}` - })}${record.Action.ShortRepoFullDisplayName}`; - } else if (opType == 9) { - const words = record.Action.RefName.split('/'); - const tag = words[words.length - 1]; - out.remark = `${i18n.t('pushedTag', { - tag: `${tag}` - })}${record.Action.ShortRepoFullDisplayName}`; - } else if (opType == 16) { - const words = record.Action.RefName.split('/'); - const tag = words[words.length - 1]; - out.remark = `${i18n.t('deleteTag', { - repo: `${record.Action.ShortRepoFullDisplayName}`, - tag: tag, - })}`; - } else if (opType == 17) { - const words = record.Action.RefName.split('/'); - const branch = words[words.length - 1]; - out.remark = `${i18n.t('deleteBranch', { - repo: `${record.Action.ShortRepoFullDisplayName}`, - branch: branch, - })}`; + if (record?.Action) { + const opType = record.Action.OpType; + if (opType == 5) { + const words = record.Action.RefName.split('/'); + const branch = words[words.length - 1]; + out.remark = `${i18n.t('pushedBranch', { + branch: `${branch}` + })}${record.Action.ShortRepoFullDisplayName}`; + } else if (opType == 9) { + const words = record.Action.RefName.split('/'); + const tag = words[words.length - 1]; + out.remark = `${i18n.t('pushedTag', { + tag: `${tag}` + })}${record.Action.ShortRepoFullDisplayName}`; + } else if (opType == 16) { + const words = record.Action.RefName.split('/'); + const tag = words[words.length - 1]; + out.remark = `${i18n.t('deleteTag', { + repo: `${record.Action.ShortRepoFullDisplayName}`, + tag: tag, + })}`; + } else if (opType == 17) { + const words = record.Action.RefName.split('/'); + const branch = words[words.length - 1]; + out.remark = `${i18n.t('deleteBranch', { + repo: `${record.Action.ShortRepoFullDisplayName}`, + branch: branch, + })}`; + } + } else { + out.remark = `${getPointAction(record.SourceTemplateId)}(${i18n.t('repositoryWasDel')})`; } break; default: @@ -174,7 +186,11 @@ export const getRewardPointRecordInfo = (record) => { } else if (record.SourceType === 'ACCOMPLISH_TASK') { // } else if (record.SourceType === 'RUN_CLOUDBRAIN_TASK') { - out.taskName = `${record?.Cloudbrain?.DisplayJobName}`; + if (!record.Cloudbrain?.RepoFullName) { + out.taskName = `${record?.Cloudbrain?.DisplayJobName}(${i18n.t('repositoryWasDel')})`; + } else { + out.taskName = `${record?.Cloudbrain?.DisplayJobName}`; + } const resourceSpec = record?.Cloudbrain?.ResourceSpec; if (resourceSpec) { resourceSpec.workServerNumber = record?.Cloudbrain?.WorkServerNumber || 1; From 37b3cfebe1bee747ad3b09a653894fe63135e06c Mon Sep 17 00:00:00 2001 From: zouap Date: Wed, 26 Oct 2022 15:41:01 +0800 Subject: [PATCH 073/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= =?UTF-8?q?=EF=BC=8C=E5=88=B7=E6=96=B0GPU=E8=A7=84=E6=A0=BC=E6=98=BE?= =?UTF-8?q?=E7=A4=BA=E6=A0=BC=E5=BC=8F=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/ai_model_manage.go | 17 ++++++++++------- 1 file changed, 10 insertions(+), 7 deletions(-) diff --git a/routers/repo/ai_model_manage.go b/routers/repo/ai_model_manage.go index 5b358b83b..b0bc0a62c 100644 --- a/routers/repo/ai_model_manage.go +++ b/routers/repo/ai_model_manage.go @@ -17,6 +17,7 @@ import ( "code.gitea.io/gitea/modules/notification" "code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/modules/storage" + "code.gitea.io/gitea/services/cloudbrain/resource" uuid "github.com/satori/go.uuid" ) @@ -69,14 +70,16 @@ func saveModelByParameters(jobId string, versionName string, name string, versio cloudType = models.TypeCloudBrainTwo } else if aiTask.ComputeResource == models.GPUResource { cloudType = models.TypeCloudBrainOne - var ResourceSpecs *models.ResourceSpecs - json.Unmarshal([]byte(setting.ResourceSpecs), &ResourceSpecs) - for _, tmp := range ResourceSpecs.ResourceSpec { - if tmp.Id == aiTask.ResourceSpecId { - flaverName := ctx.Tr("cloudbrain.gpu_num") + ": " + fmt.Sprint(tmp.GpuNum) + " " + ctx.Tr("cloudbrain.cpu_num") + ": " + fmt.Sprint(tmp.CpuNum) + " " + ctx.Tr("cloudbrain.memory") + "(MB): " + fmt.Sprint(tmp.MemMiB) + " " + ctx.Tr("cloudbrain.shared_memory") + "(MB): " + fmt.Sprint(tmp.ShareMemMiB) - aiTask.FlavorName = flaverName - } + spec, err := resource.GetAndCheckSpec(ctx.User.ID, int64(aiTask.ResourceSpecId), models.FindSpecsOptions{ + JobType: models.JobType(aiTask.JobType), + ComputeResource: models.GPU, + Cluster: models.OpenICluster, + AiCenterCode: models.AICenterOfCloudBrainOne}) + if err == nil { + flaverName := "GPU: " + fmt.Sprint(spec.AccCardsNum) + "*" + spec.AccCardType + ",CPU: " + fmt.Sprint(spec.CpuCores) + "," + ctx.Tr("cloudbrain.memory") + ": " + fmt.Sprint(spec.MemGiB) + "GB," + ctx.Tr("cloudbrain.shared_memory") + ": " + fmt.Sprint(spec.ShareMemGiB) + "GB" + aiTask.FlavorName = flaverName } + } accuracy := make(map[string]string) From e1fe38c0a3177dc2a60ab76ac37e63606518339b Mon Sep 17 00:00:00 2001 From: zouap Date: Wed, 26 Oct 2022 16:07:00 +0800 Subject: [PATCH 074/149] =?UTF-8?q?=E4=BF=AE=E6=94=B9=E8=A7=84=E6=A0=BC?= =?UTF-8?q?=E6=98=BE=E7=A4=BA=E4=BF=A1=E6=81=AF=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/ai_model_manage.go | 7 +------ 1 file changed, 1 insertion(+), 6 deletions(-) diff --git a/routers/repo/ai_model_manage.go b/routers/repo/ai_model_manage.go index b0bc0a62c..f2b0fc6d1 100644 --- a/routers/repo/ai_model_manage.go +++ b/routers/repo/ai_model_manage.go @@ -70,16 +70,11 @@ func saveModelByParameters(jobId string, versionName string, name string, versio cloudType = models.TypeCloudBrainTwo } else if aiTask.ComputeResource == models.GPUResource { cloudType = models.TypeCloudBrainOne - spec, err := resource.GetAndCheckSpec(ctx.User.ID, int64(aiTask.ResourceSpecId), models.FindSpecsOptions{ - JobType: models.JobType(aiTask.JobType), - ComputeResource: models.GPU, - Cluster: models.OpenICluster, - AiCenterCode: models.AICenterOfCloudBrainOne}) + spec, err := resource.GetCloudbrainSpec(aiTask.ID) if err == nil { flaverName := "GPU: " + fmt.Sprint(spec.AccCardsNum) + "*" + spec.AccCardType + ",CPU: " + fmt.Sprint(spec.CpuCores) + "," + ctx.Tr("cloudbrain.memory") + ": " + fmt.Sprint(spec.MemGiB) + "GB," + ctx.Tr("cloudbrain.shared_memory") + ": " + fmt.Sprint(spec.ShareMemGiB) + "GB" aiTask.FlavorName = flaverName } - } accuracy := make(map[string]string) From 97a710c4e9e6f4f134a177e472be84694a3b73e6 Mon Sep 17 00:00:00 2001 From: zouap Date: Thu, 27 Oct 2022 08:51:38 +0800 Subject: [PATCH 075/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= =?UTF-8?q?=EF=BC=8C=E4=BF=AE=E6=94=B9=E4=B8=80=E4=B8=8B=E6=9C=80=E7=BB=88?= =?UTF-8?q?=E7=BB=93=E6=9D=9F=E6=97=B6=E9=97=B4=E5=80=BC=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/aisafety.go | 3 +++ 1 file changed, 3 insertions(+) diff --git a/routers/repo/aisafety.go b/routers/repo/aisafety.go index 554147d51..21a3b4d95 100644 --- a/routers/repo/aisafety.go +++ b/routers/repo/aisafety.go @@ -307,6 +307,9 @@ func queryTaskStatusFromModelSafetyTestServer(job *models.Cloudbrain) { if result.Data.Status == 1 { log.Info("The task is running....") } else { + job.EndTime = timeutil.TimeStampNow() + job.Duration = (int64(job.EndTime) - int64(job.StartTime)) / 1000 + job.TrainJobDuration = models.ConvertDurationToStr(job.Duration) if result.Data.Code == 0 { job.ResultJson = result.Data.StandardJson job.Status = string(models.JobSucceeded) From 50726948898a1c9d9ba5b9d03ebfee004a2ede6e Mon Sep 17 00:00:00 2001 From: zouap Date: Thu, 27 Oct 2022 08:56:47 +0800 Subject: [PATCH 076/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= =?UTF-8?q?=EF=BC=8C=E6=9B=B4=E6=96=B0=E6=9C=80=E5=90=8E=E7=BB=93=E6=9D=9F?= =?UTF-8?q?=E6=97=B6=E9=97=B4=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/aisafety.go | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/routers/repo/aisafety.go b/routers/repo/aisafety.go index 21a3b4d95..650848d11 100644 --- a/routers/repo/aisafety.go +++ b/routers/repo/aisafety.go @@ -291,6 +291,7 @@ func queryTaskStatusFromCloudbrain(job *models.Cloudbrain) { } else { // job.Status = string(models.ModelSafetyTesting) + job.EndTime = 0 err = models.UpdateJob(job) if err != nil { log.Error("UpdateJob failed:", err) @@ -443,6 +444,9 @@ func updateJobFailed(job *models.Cloudbrain, msg string) { //update task failed. job.Status = string(models.ModelArtsTrainJobFailed) job.ResultJson = msg + job.EndTime = timeutil.TimeStampNow() + job.Duration = (int64(job.EndTime) - int64(job.StartTime)) / 1000 + job.TrainJobDuration = models.ConvertDurationToStr(job.Duration) err := models.UpdateJob(job) if err != nil { log.Error("UpdateJob failed:", err) From 5cdfc4c0a09d1b9cee259759082e76b1431ed9f4 Mon Sep 17 00:00:00 2001 From: zouap Date: Thu, 27 Oct 2022 09:05:09 +0800 Subject: [PATCH 077/149] =?UTF-8?q?=E6=8F=90=E4=BA=A4=E4=BB=A3=E7=A0=81?= =?UTF-8?q?=EF=BC=8C=E4=BF=AE=E6=AD=A3=E6=9C=80=E5=90=8E=E6=9B=B4=E6=96=B0?= =?UTF-8?q?=E6=97=B6=E9=97=B4=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/repo/aisafety.go | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/routers/repo/aisafety.go b/routers/repo/aisafety.go index 650848d11..e274f808e 100644 --- a/routers/repo/aisafety.go +++ b/routers/repo/aisafety.go @@ -309,7 +309,7 @@ func queryTaskStatusFromModelSafetyTestServer(job *models.Cloudbrain) { log.Info("The task is running....") } else { job.EndTime = timeutil.TimeStampNow() - job.Duration = (int64(job.EndTime) - int64(job.StartTime)) / 1000 + job.Duration = (job.EndTime.AsTime().Unix() - job.StartTime.AsTime().Unix()) / 1000 job.TrainJobDuration = models.ConvertDurationToStr(job.Duration) if result.Data.Code == 0 { job.ResultJson = result.Data.StandardJson @@ -445,7 +445,7 @@ func updateJobFailed(job *models.Cloudbrain, msg string) { job.Status = string(models.ModelArtsTrainJobFailed) job.ResultJson = msg job.EndTime = timeutil.TimeStampNow() - job.Duration = (int64(job.EndTime) - int64(job.StartTime)) / 1000 + job.Duration = (job.EndTime.AsTime().Unix() - job.StartTime.AsTime().Unix()) / 1000 job.TrainJobDuration = models.ConvertDurationToStr(job.Duration) err := models.UpdateJob(job) if err != nil { From 416004d08921f625edb398f4d49c224ae2c08504 Mon Sep 17 00:00:00 2001 From: ychao_1983 Date: Thu, 27 Oct 2022 11:02:14 +0800 Subject: [PATCH 078/149] fix-2957 --- modules/setting/setting.go | 5 +++++ routers/repo/grampus.go | 6 ++---- services/cloudbrain/util.go | 33 +++++++++++++++++++++++++++++++++ 3 files changed, 40 insertions(+), 4 deletions(-) create mode 100644 services/cloudbrain/util.go diff --git a/modules/setting/setting.go b/modules/setting/setting.go index 2f468c850..2da970c75 100755 --- a/modules/setting/setting.go +++ b/modules/setting/setting.go @@ -597,6 +597,7 @@ var ( }{} C2NetInfos *C2NetSqInfos + C2NetMapInfo map[string]*C2NetSequenceInfo //elk config ElkUrl string @@ -1627,6 +1628,10 @@ func getGrampusConfig() { if err := json.Unmarshal([]byte(Grampus.C2NetSequence), &C2NetInfos); err != nil { log.Error("Unmarshal(C2NetSequence) failed:%v", err) } + C2NetMapInfo=make(map[string]*C2NetSequenceInfo) + for _,value :=range C2NetInfos.C2NetSqInfo{ + C2NetMapInfo[value.Name]=value + } } Grampus.SyncScriptProject = sec.Key("SYNC_SCRIPT_PROJECT").MustString("script_for_grampus") diff --git a/routers/repo/grampus.go b/routers/repo/grampus.go index d901298b7..e29bf0abc 100755 --- a/routers/repo/grampus.go +++ b/routers/repo/grampus.go @@ -37,6 +37,7 @@ import ( "code.gitea.io/gitea/modules/context" "code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/setting" + cloudbrainService "code.gitea.io/gitea/services/cloudbrain" ) const ( @@ -915,10 +916,7 @@ func GrampusTrainJobShow(ctx *context.Context) { ctx.Data["canDownload"] = cloudbrain.CanModifyJob(ctx, task) ctx.Data["displayJobName"] = task.DisplayJobName - aiCenterInfo := strings.Split(task.AiCenter, "+") - if len(aiCenterInfo) == 2 { - ctx.Data["ai_center"] = aiCenterInfo[1] - } + ctx.Data["ai_center"] = cloudbrainService.GetAiCenterShow(task.AiCenter,ctx) ctx.HTML(http.StatusOK, tplGrampusTrainJobShow) } diff --git a/services/cloudbrain/util.go b/services/cloudbrain/util.go new file mode 100644 index 000000000..ab738927e --- /dev/null +++ b/services/cloudbrain/util.go @@ -0,0 +1,33 @@ +package cloudbrain + +import ( + "code.gitea.io/gitea/modules/context" + "code.gitea.io/gitea/modules/setting" + "strings" +) + +func GetAiCenterShow(aiCenter string,ctx *context.Context) string{ + aiCenterInfo := strings.Split(aiCenter, "+") + + if len(aiCenterInfo) == 2{ + if setting.C2NetMapInfo!=nil { + if info,ok:=setting.C2NetMapInfo[aiCenterInfo[0]];ok { + if ctx.Language() == "zh-CN" { + return info.Content + } else { + return info.ContentEN + } + }else{ + return aiCenterInfo[1] + } + + }else{ + return aiCenterInfo[1] + } + + } + + return "" + + +} From e9690883c3e05fcd1c092f5de655075735453350 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 11:48:55 +0800 Subject: [PATCH 079/149] fix issue --- templates/repo/modelarts/trainjob/show.tmpl | 53 +++++- web_src/js/features/cloudbrainShow.js | 263 +++++++++++++++++++++------- 2 files changed, 254 insertions(+), 62 deletions(-) diff --git a/templates/repo/modelarts/trainjob/show.tmpl b/templates/repo/modelarts/trainjob/show.tmpl index e95a1233d..462319168 100755 --- a/templates/repo/modelarts/trainjob/show.tmpl +++ b/templates/repo/modelarts/trainjob/show.tmpl @@ -548,14 +548,17 @@
-
+
@@ -577,7 +580,11 @@
+ + + +

                             
@@ -609,6 +616,41 @@
+ +
+ +
{{end}} {{template "base/paginate" .}}
@@ -715,12 +757,17 @@
+
{{template "base/footer" .}} \ No newline at end of file diff --git a/templates/repo/cloudbrain/benchmark/show.tmpl b/templates/repo/cloudbrain/benchmark/show.tmpl index 84d16d00c..37dc9c83a 100755 --- a/templates/repo/cloudbrain/benchmark/show.tmpl +++ b/templates/repo/cloudbrain/benchmark/show.tmpl @@ -524,14 +524,17 @@
-
@@ -549,12 +552,16 @@
-
-
-
- - -

+                                
+
+
+ + + + + + +

                              
@@ -565,6 +572,7 @@
+ {{template "custom/max_log" .}} {{end}} {{template "base/paginate" .}}
diff --git a/templates/repo/cloudbrain/inference/show.tmpl b/templates/repo/cloudbrain/inference/show.tmpl index 546f16848..79312ed1e 100644 --- a/templates/repo/cloudbrain/inference/show.tmpl +++ b/templates/repo/cloudbrain/inference/show.tmpl @@ -535,14 +535,17 @@
-
+
@@ -559,13 +562,17 @@
-
+ style="height: 300px !important; overflow: auto;"> +
-
- - -

+                                
+ + + + + + +

                              
@@ -589,7 +596,7 @@
- + {{template "custom/max_log" .}} {{end}} diff --git a/templates/repo/cloudbrain/trainjob/show.tmpl b/templates/repo/cloudbrain/trainjob/show.tmpl index a54989df4..315a84f45 100644 --- a/templates/repo/cloudbrain/trainjob/show.tmpl +++ b/templates/repo/cloudbrain/trainjob/show.tmpl @@ -524,14 +524,17 @@
-
+
@@ -552,7 +555,11 @@
- + + + + +

                             
@@ -581,6 +588,7 @@
+ {{template "custom/max_log" .}} {{end}} {{template "base/paginate" .}} diff --git a/templates/repo/grampus/trainjob/show.tmpl b/templates/repo/grampus/trainjob/show.tmpl index 67c415488..a22cb1ab7 100755 --- a/templates/repo/grampus/trainjob/show.tmpl +++ b/templates/repo/grampus/trainjob/show.tmpl @@ -520,14 +520,17 @@
-
+
@@ -548,7 +551,11 @@
- + + + + +

                             
@@ -576,6 +583,7 @@
+ {{template "custom/max_log" .}} {{end}} {{template "base/paginate" .}} diff --git a/templates/repo/modelarts/inferencejob/show.tmpl b/templates/repo/modelarts/inferencejob/show.tmpl index 7d671ae4c..c8ff73b2d 100644 --- a/templates/repo/modelarts/inferencejob/show.tmpl +++ b/templates/repo/modelarts/inferencejob/show.tmpl @@ -460,14 +460,17 @@ td, th {
-
+
@@ -486,8 +489,12 @@ td, th {
- - + + + + + +

                                 
@@ -510,12 +517,8 @@ td, th {
+ {{template "custom/max_log" .}} {{end}} - - - - - diff --git a/templates/repo/modelarts/trainjob/show.tmpl b/templates/repo/modelarts/trainjob/show.tmpl index 462319168..e86848cc9 100755 --- a/templates/repo/modelarts/trainjob/show.tmpl +++ b/templates/repo/modelarts/trainjob/show.tmpl @@ -616,41 +616,7 @@ - -
- -
+ {{template "custom/max_log" .}} {{end}} {{template "base/paginate" .}} @@ -764,10 +730,6 @@ \ No newline at end of file From 3a2888d3ea8e060314be6e1b340bcf844a6f2ce4 Mon Sep 17 00:00:00 2001 From: liuzx Date: Thu, 27 Oct 2022 16:36:15 +0800 Subject: [PATCH 096/149] fix-2524 --- models/cloudbrain.go | 23 ++++++++++++++- modules/modelarts/modelarts.go | 65 ++++++++++++++++++++++++++++++------------ modules/modelarts/resty.go | 60 ++++++++++++++++++++++++++++++++++++++ routers/repo/modelarts.go | 34 ++++++++++++++++++++++ 4 files changed, 162 insertions(+), 20 deletions(-) diff --git a/models/cloudbrain.go b/models/cloudbrain.go index 1eaeffcd3..d3e93a437 100755 --- a/models/cloudbrain.go +++ b/models/cloudbrain.go @@ -1070,6 +1070,12 @@ type CreateInferenceJobParams struct { InfConfig InfConfig `json:"config"` WorkspaceID string `json:"workspace_id"` } +type CreateInfUserImageParams struct { + JobName string `json:"job_name"` + Description string `json:"job_desc"` + Config InfUserImageConfig `json:"config"` + WorkspaceID string `json:"workspace_id"` +} type InfConfig struct { WorkServerNum int `json:"worker_server_num"` @@ -1084,6 +1090,21 @@ type InfConfig struct { PoolID string `json:"pool_id"` } +type InfUserImageConfig struct { + WorkServerNum int `json:"worker_server_num"` + AppUrl string `json:"app_url"` //训练作业的代码目录 + BootFileUrl string `json:"boot_file_url"` //训练作业的代码启动文件,需要在代码目录下 + Parameter []Parameter `json:"parameter"` + DataUrl string `json:"data_url"` //训练作业需要的数据集OBS路径URL + EngineID int64 `json:"engine_id"` + LogUrl string `json:"log_url"` + CreateVersion bool `json:"create_version"` + Flavor Flavor `json:"flavor"` + PoolID string `json:"pool_id"` + UserImageUrl string `json:"user_image_url"` + UserCommand string `json:"user_command"` +} + type CreateTrainJobVersionParams struct { Description string `json:"job_desc"` Config TrainJobVersionConfig `json:"config"` @@ -2024,7 +2045,7 @@ func GetCloudbrainRunCountByRepoID(repoID int64) (int, error) { } func GetModelSafetyCountByUserID(userID int64) (int, error) { - count, err := x.In("status", JobWaiting, JobRunning,ModelArtsTrainJobInit,ModelArtsTrainJobImageCreating,ModelArtsTrainJobSubmitTrying,ModelArtsTrainJobScaling,ModelArtsTrainJobCheckInit,ModelArtsTrainJobCheckRunning,ModelArtsTrainJobCheckRunningCompleted).And("job_type = ? and user_id = ?", string(JobTypeModelSafety), userID).Count(new(Cloudbrain)) + count, err := x.In("status", JobWaiting, JobRunning, ModelArtsTrainJobInit, ModelArtsTrainJobImageCreating, ModelArtsTrainJobSubmitTrying, ModelArtsTrainJobScaling, ModelArtsTrainJobCheckInit, ModelArtsTrainJobCheckRunning, ModelArtsTrainJobCheckRunningCompleted).And("job_type = ? and user_id = ?", string(JobTypeModelSafety), userID).Count(new(Cloudbrain)) return int(count), err } diff --git a/modules/modelarts/modelarts.go b/modules/modelarts/modelarts.go index 06521993e..567f6d620 100755 --- a/modules/modelarts/modelarts.go +++ b/modules/modelarts/modelarts.go @@ -143,6 +143,8 @@ type GenerateInferenceJobReq struct { Spec *models.Specification DatasetName string JobType string + UserImageUrl string + UserCommand string } type VersionInfo struct { @@ -682,26 +684,51 @@ func GetOutputPathByCount(TotalVersionCount int) (VersionOutputPath string) { func GenerateInferenceJob(ctx *context.Context, req *GenerateInferenceJobReq) (err error) { createTime := timeutil.TimeStampNow() - jobResult, err := createInferenceJob(models.CreateInferenceJobParams{ - JobName: req.JobName, - Description: req.Description, - InfConfig: models.InfConfig{ - WorkServerNum: req.WorkServerNumber, - AppUrl: req.CodeObsPath, - BootFileUrl: req.BootFileUrl, - DataUrl: req.DataUrl, - EngineID: req.EngineID, - // TrainUrl: req.TrainUrl, - LogUrl: req.LogUrl, - PoolID: req.PoolID, - CreateVersion: true, - Flavor: models.Flavor{ - Code: req.Spec.SourceSpecId, + var jobResult *models.CreateTrainJobResult + var createErr error + if req.EngineID < 0 { + jobResult, createErr = createInferenceJobUserImage(models.CreateInfUserImageParams{ + JobName: req.JobName, + Description: req.Description, + Config: models.InfUserImageConfig{ + WorkServerNum: req.WorkServerNumber, + AppUrl: req.CodeObsPath, + BootFileUrl: req.BootFileUrl, + DataUrl: req.DataUrl, + // TrainUrl: req.TrainUrl, + LogUrl: req.LogUrl, + PoolID: req.PoolID, + CreateVersion: true, + Flavor: models.Flavor{ + Code: req.Spec.SourceSpecId, + }, + Parameter: req.Parameters, + UserImageUrl: req.UserImageUrl, + UserCommand: req.UserCommand, }, - Parameter: req.Parameters, - }, - }) - if err != nil { + }) + } else { + jobResult, createErr = createInferenceJob(models.CreateInferenceJobParams{ + JobName: req.JobName, + Description: req.Description, + InfConfig: models.InfConfig{ + WorkServerNum: req.WorkServerNumber, + AppUrl: req.CodeObsPath, + BootFileUrl: req.BootFileUrl, + DataUrl: req.DataUrl, + EngineID: req.EngineID, + // TrainUrl: req.TrainUrl, + LogUrl: req.LogUrl, + PoolID: req.PoolID, + CreateVersion: true, + Flavor: models.Flavor{ + Code: req.Spec.SourceSpecId, + }, + Parameter: req.Parameters, + }, + }) + } + if createErr != nil { log.Error("createInferenceJob failed: %v", err.Error()) if strings.HasPrefix(err.Error(), UnknownErrorPrefix) { log.Info("(%s)unknown error, set temp status", req.DisplayJobName) diff --git a/modules/modelarts/resty.go b/modules/modelarts/resty.go index fd1c467f3..c38300606 100755 --- a/modules/modelarts/resty.go +++ b/modules/modelarts/resty.go @@ -1197,6 +1197,66 @@ sendjob: return &result, nil } +func createInferenceJobUserImage(createJobParams models.CreateInfUserImageParams) (*models.CreateTrainJobResult, error) { + checkSetting() + client := getRestyClient() + var result models.CreateTrainJobResult + + retry := 0 + +sendjob: + res, err := client.R(). + SetHeader("Content-Type", "application/json"). + SetAuthToken(TOKEN). + SetBody(createJobParams). + SetResult(&result). + Post(HOST + "/v1/" + setting.ProjectID + urlTrainJob) + + if err != nil { + return nil, fmt.Errorf("resty create train-job: %s", err) + } + + req, _ := json.Marshal(createJobParams) + log.Info("%s", req) + + if res.StatusCode() == http.StatusUnauthorized && retry < 1 { + retry++ + _ = getToken() + goto sendjob + } + + if res.StatusCode() != http.StatusOK { + var temp models.ErrorResult + if err = json.Unmarshal([]byte(res.String()), &temp); err != nil { + log.Error("json.Unmarshal failed(%s): %v", res.String(), err.Error()) + return &result, fmt.Errorf("json.Unmarshal failed(%s): %v", res.String(), err.Error()) + } + log.Error("createInferenceJobUserImage failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg) + bootFileErrorMsg := "Invalid OBS path '" + createJobParams.Config.BootFileUrl + "'." + dataSetErrorMsg := "Invalid OBS path '" + createJobParams.Config.DataUrl + "'." + if temp.ErrorMsg == bootFileErrorMsg { + log.Error("启动文件错误!createInferenceJobUserImage failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg) + return &result, fmt.Errorf("启动文件错误!") + } + if temp.ErrorMsg == dataSetErrorMsg { + log.Error("数据集错误!createInferenceJobUserImage failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg) + return &result, fmt.Errorf("数据集错误!") + } + if res.StatusCode() == http.StatusBadGateway { + return &result, fmt.Errorf(UnknownErrorPrefix+"createInferenceJobUserImage failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg) + } else { + return &result, fmt.Errorf("createInferenceJobUserImage failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg) + } + } + + if !result.IsSuccess { + log.Error("createInferenceJobUserImage failed(%s): %s", result.ErrorCode, result.ErrorMsg) + return &result, fmt.Errorf("createInferenceJobUserImage failed(%s): %s", result.ErrorCode, result.ErrorMsg) + } + + return &result, nil +} + func createNotebook2(createJobParams models.CreateNotebook2Params) (*models.CreateNotebookResult, error) { checkSetting() client := getRestyClient() diff --git a/routers/repo/modelarts.go b/routers/repo/modelarts.go index 07c1fcd3e..be59b0f3f 100755 --- a/routers/repo/modelarts.go +++ b/routers/repo/modelarts.go @@ -1312,6 +1312,36 @@ func getUserCommand(engineId int, req *modelarts.GenerateTrainJobReq) (string, s return userCommand, userImageUrl } +func getInfJobUserCommand(engineId int, req *modelarts.GenerateInferenceJobReq) (string, string) { + userImageUrl := "" + userCommand := "" + if engineId < 0 { + tmpCodeObsPath := strings.Trim(req.CodeObsPath, "/") + tmpCodeObsPaths := strings.Split(tmpCodeObsPath, "/") + lastCodeDir := "code" + if len(tmpCodeObsPaths) > 0 { + lastCodeDir = tmpCodeObsPaths[len(tmpCodeObsPaths)-1] + } + userCommand = "/bin/bash /home/work/run_train.sh 's3://" + req.CodeObsPath + "' '" + lastCodeDir + "/" + req.BootFile + "' '/tmp/log/train.log' --'data_url'='s3://" + req.DataUrl + "' --'train_url'='s3://" + req.TrainUrl + "'" + var versionInfos modelarts.VersionInfo + if err := json.Unmarshal([]byte(setting.EngineVersions), &versionInfos); err != nil { + log.Info("json parse err." + err.Error()) + } else { + for _, engine := range versionInfos.Version { + if engine.ID == engineId { + userImageUrl = engine.Url + break + } + } + } + for _, param := range req.Parameters { + userCommand += " --'" + param.Label + "'='" + param.Value + "'" + } + return userCommand, userImageUrl + } + return userCommand, userImageUrl +} + func TrainJobCreateVersion(ctx *context.Context, form auth.CreateModelArtsTrainJobForm) { ctx.Data["PageIsTrainJob"] = true var jobID = ctx.Params(":jobid") @@ -2171,6 +2201,10 @@ func InferenceJobCreate(ctx *context.Context, form auth.CreateModelArtsInference JobType: string(models.JobTypeInference), } + userCommand, userImageUrl := getInfJobUserCommand(engineID, req) + req.UserCommand = userCommand + req.UserImageUrl = userImageUrl + err = modelarts.GenerateInferenceJob(ctx, req) if err != nil { log.Error("GenerateTrainJob failed:%v", err.Error()) From 4905f4b0ec31950e13307fd1b93ab29ed454d04f Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 16:38:30 +0800 Subject: [PATCH 097/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index ba46ab58c..f165836bd 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -573,6 +573,12 @@ func CloudbrainGetLog(ctx *context.APIContext) { } } } + else { + if startLine > 0 { + startLine += 1 + endLine += 1 + } + } result = getLogFromModelDir(job.JobName, startLine, endLine, resultPath) if result == nil { log.Error("GetJobLog failed: %v", err, ctx.Data["MsgID"]) From 276d9ca11cbdcd47ec80f7ce07b9aac2039dcb52 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 16:40:30 +0800 Subject: [PATCH 098/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index f165836bd..052fb2504 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -573,7 +573,7 @@ func CloudbrainGetLog(ctx *context.APIContext) { } } } - else { + else{ if startLine > 0 { startLine += 1 endLine += 1 From facf5478e49785a235ff3a7ff2c0e116383f4f6c Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 16:42:40 +0800 Subject: [PATCH 099/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index 052fb2504..7fb30c687 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -573,10 +573,10 @@ func CloudbrainGetLog(ctx *context.APIContext) { } } } - else{ - if startLine > 0 { + else { + if startLine>0 { startLine += 1 - endLine += 1 + endLine += 1 } } result = getLogFromModelDir(job.JobName, startLine, endLine, resultPath) From fd812c28216e4b76f32540d149ff60d09b55bd70 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 16:44:28 +0800 Subject: [PATCH 100/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index 7fb30c687..a15683e16 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -572,13 +572,13 @@ func CloudbrainGetLog(ctx *context.APIContext) { startLine = 0 } } - } - else { - if startLine>0 { + }else{ + if startLine >0 { startLine += 1 - endLine += 1 + endLine += 1 } } + result = getLogFromModelDir(job.JobName, startLine, endLine, resultPath) if result == nil { log.Error("GetJobLog failed: %v", err, ctx.Data["MsgID"]) From a24371a79175459ef3cfdcd5ad69f08501dadfe3 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 16:50:47 +0800 Subject: [PATCH 101/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index a15683e16..17de648e5 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -743,8 +743,9 @@ func getLogFromModelDir(jobName string, startLine int, endLine int, resultPath s count++ } } + fileEndLine = fileEndLine + 1 } - fileEndLine = fileEndLine + 1 + } else { log.Info("error:" + err.Error()) } From c6c8a73be6616bc8b5096c4aa2c2aaabac5f0789 Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Thu, 27 Oct 2022 17:10:40 +0800 Subject: [PATCH 102/149] fix issue --- routers/api/v1/repo/cloudbrain.go | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index 17de648e5..7cfa15540 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -725,10 +725,10 @@ func getLogFromModelDir(jobName string, startLine int, endLine int, resultPath s line, error := r.ReadString('\n') if error == io.EOF { if i >= startLine { - fileEndLine = i re = re + line count++ } + fileEndLine = i+1 log.Info("read file completed.") break } @@ -738,12 +738,11 @@ func getLogFromModelDir(jobName string, startLine int, endLine int, resultPath s } if error == nil { if i >= startLine { - fileEndLine = i + fileEndLine = i+1 re = re + line count++ } } - fileEndLine = fileEndLine + 1 } } else { From d74ac930bb66bbeca7c70f752b057e145a5ccf8e Mon Sep 17 00:00:00 2001 From: zouap Date: Thu, 27 Oct 2022 17:17:17 +0800 Subject: [PATCH 103/149] =?UTF-8?q?=E6=97=A5=E5=BF=97=E6=98=BE=E7=A4=BA?= =?UTF-8?q?=E8=BF=94=E5=9B=9E=E8=A1=8C=E6=95=B0=E4=BF=AE=E6=94=B9=E3=80=82?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: zouap --- routers/api/v1/repo/cloudbrain.go | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/routers/api/v1/repo/cloudbrain.go b/routers/api/v1/repo/cloudbrain.go index ba46ab58c..37a9e0147 100755 --- a/routers/api/v1/repo/cloudbrain.go +++ b/routers/api/v1/repo/cloudbrain.go @@ -572,6 +572,11 @@ func CloudbrainGetLog(ctx *context.APIContext) { startLine = 0 } } + } else { + if startLine > 0 { + startLine += 1 + endLine += 1 + } } result = getLogFromModelDir(job.JobName, startLine, endLine, resultPath) if result == nil { @@ -723,6 +728,7 @@ func getLogFromModelDir(jobName string, startLine int, endLine int, resultPath s re = re + line count++ } + fileEndLine = i + 1 log.Info("read file completed.") break } @@ -732,13 +738,12 @@ func getLogFromModelDir(jobName string, startLine int, endLine int, resultPath s } if error == nil { if i >= startLine { - fileEndLine = i + fileEndLine = i + 1 re = re + line count++ } } } - fileEndLine = fileEndLine + 1 } else { log.Info("error:" + err.Error()) } From cef17ba1eba0a77488b83ff99237c0bcb7e29740 Mon Sep 17 00:00:00 2001 From: chenshihai Date: Thu, 27 Oct 2022 17:27:27 +0800 Subject: [PATCH 104/149] =?UTF-8?q?#2964=20=E8=B0=83=E6=95=B4=E4=B8=8B?= =?UTF-8?q?=E8=BD=BD=E7=BB=93=E6=9E=9C=E9=A1=B5=E7=AD=BE=E6=8F=90=E7=A4=BA?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- web_src/js/features/cloudbrainShow.js | 80 ++++++++++++++++++++++++----------- web_src/js/features/i18nVue.js | 6 +++ web_src/js/index.js | 1 + 3 files changed, 63 insertions(+), 24 deletions(-) diff --git a/web_src/js/features/cloudbrainShow.js b/web_src/js/features/cloudbrainShow.js index 3aafcc1a6..1d05a18b5 100644 --- a/web_src/js/features/cloudbrainShow.js +++ b/web_src/js/features/cloudbrainShow.js @@ -293,34 +293,66 @@ export default async function initCloudrainSow() { let filename = $(this).data("filename"); let init = $(this).data("init") || ""; let path = $(this).data("path"); + $(`#dir_list${version_name}`).empty(); let url = `/api/v1/repos${path}?version_name=${version_name}&parentDir=${parents}`; $.get(url, (data) => { - $(`#dir_list${version_name}`).empty(); - if (data.Dirs) { - renderDir(path, data, version_name, downloadFlag, gpuFlag); - } - if (init === "init") { - $(`input[name=model${version_name}]`).val(""); - $(`input[name=modelback${version_name}]`).val(version_name); - $(`#file_breadcrumb${version_name}`).empty(); - let htmlBread = ""; - if (version_name) { - htmlBread += `
${version_name}
`; + if (data.StatusOK == 0) { // 成功 + if (data.Dirs) { + renderDir(path, data, version_name, downloadFlag, gpuFlag); + } + if (init === "init") { + $(`input[name=model${version_name}]`).val(""); + $(`input[name=modelback${version_name}]`).val(version_name); + $(`#file_breadcrumb${version_name}`).empty(); + let htmlBread = ""; + if (version_name) { + htmlBread += `
${version_name}
`; + } else { + htmlBread += `
result
`; + } + htmlBread += "
/
"; + $(`#file_breadcrumb${version_name}`).append(htmlBread); } else { - htmlBread += `
result
`; + renderBrend( + path, + version_name, + parents, + filename, + init, + downloadFlag, + gpuFlag + ); } - htmlBread += "
/
"; - $(`#file_breadcrumb${version_name}`).append(htmlBread); - } else { - renderBrend( - path, - version_name, - parents, - filename, - init, - downloadFlag, - gpuFlag - ); + } else if (data.StatusOK == 1) { // 处理中 + $(`#file_breadcrumb${version_name}`).empty(); + $(`#dir_list${version_name}`).html(`
+ +
+ +
+ ${i18n['file_sync_ing']} +
`); + } else if (data.StatusOK == 2) { // 失败 + $(`#file_breadcrumb${version_name}`).empty(); + $(`#dir_list${version_name}`).html(`
+
+ +
+ ${i18n['file_sync_fail']} +
`); + } else if (data.StatusOK == 3) { // 无文件 + $(`#file_breadcrumb${version_name}`).empty(); + $(`#dir_list${version_name}`).html(`
+
+ +
+ ${i18n['no_file_to_download']} +
`); } }).fail(function (err) { console.log(err, version_name); diff --git a/web_src/js/features/i18nVue.js b/web_src/js/features/i18nVue.js index b0b1069dc..73c4f8533 100644 --- a/web_src/js/features/i18nVue.js +++ b/web_src/js/features/i18nVue.js @@ -101,6 +101,9 @@ export const i18nVue = { model_wait:"模型加载中", model_success:"模型加载成功", model_failed:"模型加载失败", + file_sync_ing:"文件同步中,请稍侯", + file_sync_fail:"文件同步失败", + no_file_to_download:"没有文件可以下载", }, US: { computer_vision: "computer vision", @@ -208,5 +211,8 @@ export const i18nVue = { model_wait:"Loading", model_success:"Success", model_failed:"Failed", + file_sync_ing:"File synchronization in progress, please wait", + file_sync_fail:"File synchronization failed", + no_file_to_download:"No files can be downloaded", }, }; diff --git a/web_src/js/index.js b/web_src/js/index.js index 9a1f04296..a781261a9 100755 --- a/web_src/js/index.js +++ b/web_src/js/index.js @@ -60,6 +60,7 @@ Vue.prototype.$Cookies = Cookies; Vue.prototype.qs = qs; Vue.prototype.$message = Message; Vue.prototype.$locale = i18nVue; +window.i18n = i18nVue[document.querySelector('html').getAttribute('lang') == 'zh-CN' ? 'CN' : 'US']; const { AppSubUrl, StaticUrlPrefix, csrf } = window.config; Object.defineProperty(Vue.prototype, "$echarts", { From b1623e00b805e995e8074eed3e279f51010e21ed Mon Sep 17 00:00:00 2001 From: zhoupzh Date: Fri, 28 Oct 2022 09:43:15 +0800 Subject: [PATCH 105/149] fix issue --- web_src/js/features/cloudbrainShow.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/web_src/js/features/cloudbrainShow.js b/web_src/js/features/cloudbrainShow.js index c392da4a1..282a6b706 100644 --- a/web_src/js/features/cloudbrainShow.js +++ b/web_src/js/features/cloudbrainShow.js @@ -143,6 +143,7 @@ export default async function initCloudrainSow() { function logTop(e) { let max = e.currentTarget.getAttribute("data-max") || ""; + let lines = !!max ? 100 : 50; let version_name = $(this).data("version"); let logContentDom = document.querySelector(`#log${max}${version_name}`); let ID = $(`#accordion${version_name}`).data("jobid"); @@ -153,7 +154,7 @@ export default async function initCloudrainSow() { display: "block", }); $.get( - `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=&lines=50&order=asc`, + `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=&lines=${lines}&order=asc`, (data) => { $(`#log${max}${version_name} .ui.inverted.active.dimmer`).css( "display", @@ -190,6 +191,7 @@ export default async function initCloudrainSow() { } function logBottom(e) { let max = e.currentTarget.getAttribute("data-max") || ""; + let lines = !!max ? 100 : 50; let version_name = $(this).data("version"); let logContentDom = document.querySelector(`#log${max}${version_name}`); let ID = $(`#accordion${version_name}`).data("jobid"); @@ -201,7 +203,7 @@ export default async function initCloudrainSow() { display: "block", }); $.get( - `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=&lines=50&order=desc`, + `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=&lines=${lines}&order=desc`, (data) => { $(`#log${max}${version_name} .ui.inverted.active.dimmer`).css( "display", @@ -231,7 +233,7 @@ export default async function initCloudrainSow() { ); $(`#log${max}${version_name}`).append("
" + data.Content);
         $.get(
-          `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=${data.EndLine}&lines=50&order=desc`,
+          `/api/v1/repos/${repoPath}/${ID}/log?version_name=${version_name}&base_line=${data.EndLine}&lines=${lines}&order=desc`,
           (data) => {
             $(`#log${max}${version_name} .ui.inverted.active.dimmer`).css(
               "display",

From 5c0bc2fba57d6fd163276f55034d5d69c47a34c4 Mon Sep 17 00:00:00 2001
From: zhoupzh 
Date: Fri, 28 Oct 2022 10:05:19 +0800
Subject: [PATCH 106/149] fix issue

---
 web_src/js/features/cloudbrainShow.js | 8 ++++----
 1 file changed, 4 insertions(+), 4 deletions(-)

diff --git a/web_src/js/features/cloudbrainShow.js b/web_src/js/features/cloudbrainShow.js
index 282a6b706..a6a2578c6 100644
--- a/web_src/js/features/cloudbrainShow.js
+++ b/web_src/js/features/cloudbrainShow.js
@@ -14,7 +14,7 @@ export default async function initCloudrainSow() {
     };
   }
 
-  function logScroll(version_name, repoPath, ID, max = "", lines = 50) {
+  function logScroll(version_name, repoPath, ID, max = "", lines = 60) {
     console.log("----------");
     let container = document.querySelector(`#log${max}${version_name}`);
     let scrollTop = container.scrollTop;
@@ -143,7 +143,7 @@ export default async function initCloudrainSow() {
 
   function logTop(e) {
     let max = e.currentTarget.getAttribute("data-max") || "";
-    let lines = !!max ? 100 : 50;
+    let lines = !!max ? 100 : 60;
     let version_name = $(this).data("version");
     let logContentDom = document.querySelector(`#log${max}${version_name}`);
     let ID = $(`#accordion${version_name}`).data("jobid");
@@ -191,7 +191,7 @@ export default async function initCloudrainSow() {
   }
   function logBottom(e) {
     let max = e.currentTarget.getAttribute("data-max") || "";
-    let lines = !!max ? 100 : 50;
+    let lines = !!max ? 100 : 60;
     let version_name = $(this).data("version");
     let logContentDom = document.querySelector(`#log${max}${version_name}`);
     let ID = $(`#accordion${version_name}`).data("jobid");
@@ -339,7 +339,7 @@ export default async function initCloudrainSow() {
           let startLine = $(
             `#log${version_name} input[name=start_line-max-copy]`
           ).val();
-          $(`#log-file-max${version_name}`).siblings("pre").remove();
+          $(`#log_file-max${version_name}`).siblings("pre").remove();
           $(`#log${version_name} input[name=start_line-max]`).val(startLine);
 
           $(".log-scroll-max").unbind("scroll");

From 4b77e3422f4cbaeeee666f7751c9719044127656 Mon Sep 17 00:00:00 2001
From: zhoupzh 
Date: Fri, 28 Oct 2022 10:11:21 +0800
Subject: [PATCH 107/149] =?UTF-8?q?=E6=97=A5=E5=BF=97=E5=A2=9E=E5=BC=BA?=
 =?UTF-8?q?=E6=94=BE=E5=A4=A7=E6=9F=A5=E7=9C=8B?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 web_src/js/features/cloudbrainShow.js | 1 -
 1 file changed, 1 deletion(-)

diff --git a/web_src/js/features/cloudbrainShow.js b/web_src/js/features/cloudbrainShow.js
index a6a2578c6..2dc47884a 100644
--- a/web_src/js/features/cloudbrainShow.js
+++ b/web_src/js/features/cloudbrainShow.js
@@ -15,7 +15,6 @@ export default async function initCloudrainSow() {
   }
 
   function logScroll(version_name, repoPath, ID, max = "", lines = 60) {
-    console.log("----------");
     let container = document.querySelector(`#log${max}${version_name}`);
     let scrollTop = container.scrollTop;
     let scrollHeight = container.scrollHeight;

From 9c9bc0617d4be4f1c46b0f66386e976ef79286c6 Mon Sep 17 00:00:00 2001
From: lewis <747342561@qq.com>
Date: Fri, 28 Oct 2022 10:16:29 +0800
Subject: [PATCH 108/149] opt status

---
 models/schedule_record.go        |  1 +
 routers/api/v1/repo/modelarts.go | 28 +++++++++-------------------
 2 files changed, 10 insertions(+), 19 deletions(-)

diff --git a/models/schedule_record.go b/models/schedule_record.go
index 771e527e8..17963abb5 100755
--- a/models/schedule_record.go
+++ b/models/schedule_record.go
@@ -12,6 +12,7 @@ const (
 	StorageScheduleProcessing
 	StorageScheduleFailed
 	StorageNoFile
+	StorageScheduleWaiting
 )
 
 type ScheduleRecord struct {
diff --git a/routers/api/v1/repo/modelarts.go b/routers/api/v1/repo/modelarts.go
index dc96a33c4..ea73ef422 100755
--- a/routers/api/v1/repo/modelarts.go
+++ b/routers/api/v1/repo/modelarts.go
@@ -474,25 +474,25 @@ func ModelList(ctx *context.APIContext) {
 			return
 		}
 
-		if len(fileInfos) > 0 {
-			status = models.StorageScheduleSucceed
-		} else {
-			if models.IsTrainJobTerminal(task.Status) {
-				if task.Type == models.TypeC2Net {
+		if task.Type == models.TypeC2Net {
+			if len(fileInfos) > 0 {
+				status = models.StorageScheduleSucceed
+			} else {
+				if models.IsTrainJobTerminal(task.Status) {
 					record, _ := models.GetScheduleRecordByCloudbrainID(task.ID)
 					if record != nil {
 						status = record.Status
+						if status == models.StorageScheduleSucceed {
+							status = models.StorageNoFile
+						}
 					} else {
 						status = models.StorageScheduleProcessing
 					}
 				} else {
-					status = models.StorageNoFile
+					status = models.StorageScheduleWaiting
 				}
-			} else {
-				status = models.StorageScheduleProcessing
 			}
 		}
-
 	} else if task.ComputeResource == models.GPUResource {
 		files, err := routerRepo.GetModelDirs(task.JobName, parentDir)
 		if err != nil {
@@ -507,16 +507,6 @@ func ModelList(ctx *context.APIContext) {
 			ctx.ServerError("json.Unmarshal failed:", err)
 			return
 		}
-
-		if len(fileInfos) > 0 {
-			status = models.StorageScheduleSucceed
-		} else {
-			if models.IsTrainJobTerminal(task.Status) {
-				status = models.StorageNoFile
-			} else {
-				status = models.StorageScheduleProcessing
-			}
-		}
 	}
 
 	ctx.JSON(http.StatusOK, map[string]interface{}{

From 18daf45fee16cf49ab06d30ab0ac30f4144ec48b Mon Sep 17 00:00:00 2001
From: chenshihai 
Date: Fri, 28 Oct 2022 10:41:58 +0800
Subject: [PATCH 109/149] =?UTF-8?q?#2964=20=E8=B0=83=E6=95=B4=E4=B8=8B?=
 =?UTF-8?q?=E8=BD=BD=E7=BB=93=E6=9E=9C=E9=A1=B5=E7=AD=BE=E6=8F=90=E7=A4=BA?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 web_src/js/features/cloudbrainShow.js | 16 ++++++++++++----
 web_src/js/features/i18nVue.js        |  2 ++
 2 files changed, 14 insertions(+), 4 deletions(-)

diff --git a/web_src/js/features/cloudbrainShow.js b/web_src/js/features/cloudbrainShow.js
index 1d05a18b5..85ebb9985 100644
--- a/web_src/js/features/cloudbrainShow.js
+++ b/web_src/js/features/cloudbrainShow.js
@@ -296,7 +296,7 @@ export default async function initCloudrainSow() {
     $(`#dir_list${version_name}`).empty();
     let url = `/api/v1/repos${path}?version_name=${version_name}&parentDir=${parents}`;
     $.get(url, (data) => {
-      if (data.StatusOK == 0) { // 成功
+      if (data.StatusOK == 0) { // 成功 0
         if (data.Dirs) {
           renderDir(path, data, version_name, downloadFlag, gpuFlag);
         }
@@ -323,7 +323,7 @@ export default async function initCloudrainSow() {
             gpuFlag
           );
         }
-      } else if (data.StatusOK == 1) { // 处理中
+      } else if (data.StatusOK == 1) { // 处理中 1
         $(`#file_breadcrumb${version_name}`).empty();
         $(`#dir_list${version_name}`).html(`