diff --git a/custom/public/img/ranking_list.jpg b/custom/public/img/ranking_list.jpg
new file mode 100644
index 000000000..94610215b
Binary files /dev/null and b/custom/public/img/ranking_list.jpg differ
diff --git a/integrations/pull_update_test.go b/integrations/pull_update_test.go
index 484390001..251051582 100644
--- a/integrations/pull_update_test.go
+++ b/integrations/pull_update_test.go
@@ -58,7 +58,7 @@ func createOutdatedPR(t *testing.T, actor, forkOrg *models.User) *models.PullReq
assert.NoError(t, err)
assert.NotEmpty(t, baseRepo)
- headRepo, err := repo_module.ForkRepository(actor, forkOrg, baseRepo, "repo-pr-update", "desc")
+ headRepo, err := repo_module.ForkRepository(actor, forkOrg, baseRepo, "repo-pr-update", "desc", "")
assert.NoError(t, err)
assert.NotEmpty(t, headRepo)
diff --git a/models/action.go b/models/action.go
index e2958821c..4821910db 100755
--- a/models/action.go
+++ b/models/action.go
@@ -164,12 +164,24 @@ func (a *Action) GetRepoName() string {
return a.Repo.Name
}
+// GetRepoName returns the name of the action repository.
+func (a *Action) GetRepoDisplayName() string {
+ a.loadRepo()
+ return a.Repo.DisplayName()
+}
+
// ShortRepoName returns the name of the action repository
// trimmed to max 33 chars.
func (a *Action) ShortRepoName() string {
return base.EllipsisString(a.GetRepoName(), 33)
}
+// ShortRepoName returns the name of the action repository
+// trimmed to max 33 chars.
+func (a *Action) ShortRepoDisplayName() string {
+ return base.EllipsisString(a.GetRepoDisplayName(), 33)
+}
+
// GetRepoPath returns the virtual path to the action repository.
func (a *Action) GetRepoPath() string {
return path.Join(a.GetRepoUserName(), a.GetRepoName())
@@ -181,6 +193,12 @@ func (a *Action) ShortRepoPath() string {
return path.Join(a.ShortRepoUserName(), a.ShortRepoName())
}
+// ShortRepoPath returns the virtual path to the action repository
+// trimmed to max 20 + 1 + 33 chars.
+func (a *Action) ShortRepoFullDisplayName() string {
+ return path.Join(a.ShortRepoUserName(), a.ShortRepoDisplayName())
+}
+
// GetRepoLink returns relative link to action repository.
func (a *Action) GetRepoLink() string {
if len(setting.AppSubURL) > 0 {
@@ -346,11 +364,12 @@ func GetFeeds(opts GetFeedsOptions) ([]*Action, error) {
return actions, nil
}
-func GetLast20PublicFeeds() ([]*Action, error) {
+func GetLast20PublicFeeds(opTypes []int) ([]*Action, error) {
cond := builder.NewCond()
cond = cond.And(builder.Eq{"is_private": false})
cond = cond.And(builder.Eq{"is_deleted": false})
-
+ cond = cond.And(builder.Expr("user_id=act_user_id"))
+ cond = cond.And(builder.In("op_type", opTypes))
actions := make([]*Action, 0, 20)
diff --git a/models/ai_model_manage.go b/models/ai_model_manage.go
index 581b19a9c..ed696fcf0 100644
--- a/models/ai_model_manage.go
+++ b/models/ai_model_manage.go
@@ -36,6 +36,7 @@ type AiModelManage struct {
CreatedUnix timeutil.TimeStamp `xorm:"created"`
UpdatedUnix timeutil.TimeStamp `xorm:"updated"`
IsCanOper bool
+ IsCanDelete bool
}
type AiModelQueryOptions struct {
diff --git a/models/cloudbrain.go b/models/cloudbrain.go
index efaa9ffeb..0a14ea7b4 100755
--- a/models/cloudbrain.go
+++ b/models/cloudbrain.go
@@ -22,6 +22,16 @@ const (
NPUResource = "NPU"
GPUResource = "CPU/GPU"
+ //notebook storage category
+ EVSCategory = "EVS"
+ EFSCategory = "EFS"
+
+ ManagedOwnership = "MANAGED"
+ DetectedOwnership = "DEDICATED"
+
+ NotebookFeature = "NOTEBOOK"
+ DefaultFeature = "DEFAULT"
+
JobWaiting CloudbrainStatus = "WAITING"
JobStopped CloudbrainStatus = "STOPPED"
JobSucceeded CloudbrainStatus = "SUCCEEDED"
@@ -33,6 +43,7 @@ const (
JobTypeSnn4imagenet JobType = "SNN4IMAGENET"
JobTypeBrainScore JobType = "BRAINSCORE"
JobTypeTrain JobType = "TRAIN"
+ JobTypeInference JobType = "INFERENCE"
//notebook
ModelArtsCreateQueue ModelArtsJobStatus = "CREATE_QUEUING" //免费资源创建排队中
@@ -77,28 +88,30 @@ const (
)
type Cloudbrain struct {
- ID int64 `xorm:"pk autoincr"`
- JobID string `xorm:"INDEX NOT NULL"`
- JobType string `xorm:"INDEX NOT NULL DEFAULT 'DEBUG'"`
- JobName string
- Status string
- UserID int64
- RepoID int64
- SubTaskName string
- ContainerID string
- ContainerIp string
- CreatedUnix timeutil.TimeStamp `xorm:"INDEX created"`
- UpdatedUnix timeutil.TimeStamp `xorm:"INDEX updated"`
- Duration int64
- TrainJobDuration string
- Image string //GPU镜像名称
- GpuQueue string //GPU类型即GPU队列
- ResourceSpecId int //GPU规格id
- DeletedAt time.Time `xorm:"deleted"`
- CanDebug bool `xorm:"-"`
- CanDel bool `xorm:"-"`
- CanModify bool `xorm:"-"`
- Type int
+ ID int64 `xorm:"pk autoincr"`
+ JobID string `xorm:"INDEX NOT NULL"`
+ JobType string `xorm:"INDEX NOT NULL DEFAULT 'DEBUG'"`
+ JobName string
+ Status string
+ UserID int64
+ RepoID int64
+ SubTaskName string
+ ContainerID string
+ ContainerIp string
+ CreatedUnix timeutil.TimeStamp `xorm:"INDEX created"`
+ UpdatedUnix timeutil.TimeStamp `xorm:"INDEX updated"`
+ Duration int64
+ TrainJobDuration string
+ Image string //GPU镜像名称
+ GpuQueue string //GPU类型即GPU队列
+ ResourceSpecId int //GPU规格id
+ DeletedAt time.Time `xorm:"deleted"`
+ CanDebug bool `xorm:"-"`
+ CanDel bool `xorm:"-"`
+ CanModify bool `xorm:"-"`
+ Type int
+ BenchmarkTypeID int
+ BenchmarkChildTypeID int
VersionID int64 //版本id
VersionName string `xorm:"INDEX"` //当前版本
@@ -111,7 +124,7 @@ type Cloudbrain struct {
ComputeResource string //计算资源,例如npu
EngineID int64 //引擎id
- TrainUrl string //输出的obs路径
+ TrainUrl string //输出模型的obs路径
BranchName string //分支名称
Parameters string //传给modelarts的param参数
BootFile string //启动文件
@@ -125,6 +138,12 @@ type Cloudbrain struct {
EngineName string //引擎名称
TotalVersionCount int //任务的所有版本数量,包括删除的
+ LabelName string //标签名称
+ ModelName string //模型名称
+ ModelVersion string //模型版本
+ CkptName string //权重文件名称
+ ResultUrl string //推理结果的obs路径
+
User *User `xorm:"-"`
Repo *Repository `xorm:"-"`
}
@@ -207,7 +226,7 @@ type CloudbrainsOptions struct {
CloudbrainIDs []int64
// JobStatus CloudbrainStatus
Type int
- JobType string
+ JobTypes []string
VersionName string
IsLatestVersion string
JobTypeNot bool
@@ -380,6 +399,24 @@ type Category struct {
Value string `json:"value"`
}
+type BenchmarkTypes struct {
+ BenchmarkType []*BenchmarkType `json:"type"`
+}
+
+type BenchmarkType struct {
+ Id int `json:"id"`
+ First string `json:"first"` //一级算法类型名称
+ Second []*BenchmarkDataset `json:"second"`
+}
+
+type BenchmarkDataset struct {
+ Id int `json:"id"`
+ Value string `json:"value"` //二级算法类型名称
+ Attachment string `json:"attachment"` //数据集的uuid
+ Owner string `json:"owner"` //评估脚本所在仓库的拥有者
+ RepoName string `json:"repo_name"` //评估脚本所在仓库的名称
+}
+
type GpuInfos struct {
GpuInfo []*GpuInfo `json:"gpu_type"`
}
@@ -435,11 +472,83 @@ type CommitImageResult struct {
Payload map[string]interface{} `json:"payload"`
}
+type GetJobLogParams struct {
+ Size string `json:"size"`
+ Sort string `json:"sort"`
+ QueryInfo QueryInfo `json:"query"`
+}
+
+type QueryInfo struct {
+ MatchInfo MatchInfo `json:"match"`
+}
+
+type MatchInfo struct {
+ PodName string `json:"kubernetes.pod.name"`
+}
+
+type GetJobLogResult struct {
+ ScrollID string `json:"_scroll_id"`
+ Took int `json:"took"`
+ TimedOut bool `json:"timed_out"`
+ Shards struct {
+ Total int `json:"total"`
+ Successful int `json:"successful"`
+ Skipped int `json:"skipped"`
+ Failed int `json:"failed"`
+ } `json:"_shards"`
+ Hits struct {
+ Hits []Hits `json:"hits"`
+ } `json:"hits"`
+}
+
+type Hits struct {
+ Index string `json:"_index"`
+ Type string `json:"_type"`
+ ID string `json:"_id"`
+ Source struct {
+ Message string `json:"message"`
+ } `json:"_source"`
+ Sort []int `json:"sort"`
+}
+
+type GetAllJobLogParams struct {
+ Scroll string `json:"scroll"`
+ ScrollID string `json:"scroll_id"`
+}
+
+type DeleteJobLogTokenParams struct {
+ ScrollID string `json:"scroll_id"`
+}
+
+type DeleteJobLogTokenResult struct {
+ Succeeded bool `json:"succeeded"`
+ NumFreed int `json:"num_freed"`
+}
+
type CloudBrainResult struct {
Code string `json:"code"`
Msg string `json:"msg"`
}
+type CreateNotebook2Params struct {
+ JobName string `json:"name"`
+ Description string `json:"description"`
+ Duration int64 `json:"duration"` //ms
+ Feature string `json:"feature"`
+ PoolID string `json:"pool_id"`
+ Flavor string `json:"flavor"`
+ ImageID string `json:"image_id"`
+ WorkspaceID string `json:"workspace_id"`
+ Volume VolumeReq `json:"volume"`
+}
+
+type VolumeReq struct {
+ Capacity int `json:"capacity"`
+ Category string `json:"category"`
+ Ownership string `json:"ownership"`
+ Uri string `json:"uri"`
+}
+
type CreateNotebookParams struct {
JobName string `json:"name"`
Description string `json:"description"`
@@ -557,6 +666,42 @@ type GetNotebookResult struct {
} `json:"spec"`
}
+type GetNotebook2Result struct {
+ ErrorCode string `json:"error_code"`
+ ErrorMsg string `json:"error_msg"`
+ FailReason string `json:"fail_reason"`
+ ID string `json:"id"`
+ Name string `json:"name"`
+ Description string `json:"description"`
+ Status string `json:"status"`
+ Url string `json:"url"` //实例访问的URL
+ Token string `json:"token"` //notebook鉴权使用的token信息
+ Flavor string `json:"flavor"`
+ CreateTime string
+ LatestUpdateTime string
+ CreateAt int64 `json:"create_at"` //实例创建的时间,UTC毫秒
+ UpdateAt int64 `json:"update_at"` //实例最后更新(不包括保活心跳)的时间,UTC毫秒
+ Image struct {
+ Name string `json:"name"`
+ Status string `json:"status"`
+ QueuingNum int `json:"queuing_num"`
+ QueueLeftTime int `json:"queue_left_time"` //s
+ Duration int `json:"duration"` //auto_stop_time s
+ } `json:"image"`
+ Lease struct {
+ CreateTime int64 `json:"create_at"` //实例创建的时间,UTC毫秒
+ Duration int64 `json:"duration"` //实例运行时长,以创建时间为起点计算,即“创建时间+duration > 当前时刻”时,系统会自动停止实例
+ UpdateTime int64 `json:"update_at"` //实例最后更新(不包括保活心跳)的时间,UTC毫秒
+ } `json:"lease"` //实例自动停止的倒计时信息
+ VolumeRes struct {
+ Capacity int `json:"capacity"`
+ Category string `json:"category"`
+ MountPath string `json:"mount_path"`
+ Ownership string `json:"ownership"`
+ Status string `json:"status"`
+ } `json:"volume"`
+}
+
type GetTokenParams struct {
Auth Auth `json:"auth"`
}
@@ -610,6 +755,7 @@ type NotebookActionResult struct {
ErrorMsg string `json:"error_msg"`
CurrentStatus string `json:"current_status"`
PreviousState string `json:"previous_state"`
+ Status string `json:"status"`
}
type NotebookGetJobTokenResult struct {
@@ -644,6 +790,25 @@ type Config struct {
Flavor Flavor `json:"flavor"`
PoolID string `json:"pool_id"`
}
+type CreateInferenceJobParams struct {
+ JobName string `json:"job_name"`
+ Description string `json:"job_desc"`
+ InfConfig InfConfig `json:"config"`
+ WorkspaceID string `json:"workspace_id"`
+}
+
+type InfConfig 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"`
+}
type CreateTrainJobVersionParams struct {
Description string `json:"job_desc"`
@@ -894,14 +1059,14 @@ func Cloudbrains(opts *CloudbrainsOptions) ([]*CloudbrainInfo, int64, error) {
)
}
- if (opts.JobType) != "" {
+ if len(opts.JobTypes) > 0 {
if opts.JobTypeNot {
cond = cond.And(
- builder.Neq{"cloudbrain.job_type": opts.JobType},
+ builder.NotIn("cloudbrain.job_type", opts.JobTypes),
)
} else {
cond = cond.And(
- builder.Eq{"cloudbrain.job_type": opts.JobType},
+ builder.In("cloudbrain.job_type", opts.JobTypes),
)
}
}
@@ -978,6 +1143,7 @@ func QueryModelTrainJobList(repoId int64) ([]*CloudbrainInfo, int, error) {
cond = cond.And(
builder.Eq{"job_type": "TRAIN"},
)
+
cloudbrains := make([]*CloudbrainInfo, 0)
if err := sess.Select("job_id,job_name").Table(&Cloudbrain{}).Where(cond).OrderBy("created_unix DESC").
Find(&cloudbrains); err != nil {
@@ -1025,9 +1191,9 @@ func CloudbrainsVersionList(opts *CloudbrainsOptions) ([]*CloudbrainInfo, int, e
)
}
- if (opts.JobType) != "" {
+ if len(opts.JobTypes) > 0 {
cond = cond.And(
- builder.Eq{"cloudbrain.job_type": opts.JobType},
+ builder.In("cloudbrain.job_type", opts.JobTypes),
)
}
@@ -1194,8 +1360,8 @@ func GetCloudBrainUnStoppedJob() ([]*Cloudbrain, error) {
Find(&cloudbrains)
}
-func GetCloudbrainCountByUserID(userID int64) (int, error) {
- count, err := x.In("status", JobWaiting, JobRunning).And("job_type = ? and user_id = ? and type = ?", JobTypeDebug, userID, TypeCloudBrainOne).Count(new(Cloudbrain))
+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
}
@@ -1211,6 +1377,22 @@ func GetCloudbrainTrainJobCountByUserID(userID int64) (int, error) {
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 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").Update(job)
+ return err
+}
func RestartCloudbrain(old *Cloudbrain, new *Cloudbrain) (err error) {
sess := x.NewSession()
defer sess.Close()
diff --git a/models/repo.go b/models/repo.go
index f393b51b2..6b3df9fe0 100755
--- a/models/repo.go
+++ b/models/repo.go
@@ -12,6 +12,7 @@ import (
"errors"
"fmt"
"html/template"
+ "math/rand"
"xorm.io/xorm"
"code.gitea.io/gitea/modules/blockchain"
@@ -139,6 +140,7 @@ func NewRepoContext() {
// RepositoryStatus defines the status of repository
type RepositoryStatus int
type RepoBlockChainStatus int
+type RepoType int
// all kinds of RepositoryStatus
const (
@@ -152,6 +154,11 @@ const (
RepoBlockChainFailed
)
+const (
+ RepoNormal RepoType = iota
+ RepoCourse
+)
+
// Repository represents a git repository.
type Repository struct {
ID int64 `xorm:"pk autoincr"`
@@ -165,7 +172,8 @@ type Repository struct {
OriginalServiceType api.GitServiceType `xorm:"index"`
OriginalURL string `xorm:"VARCHAR(2048)"`
DefaultBranch string
-
+ CreatorID int64 `xorm:"INDEX NOT NULL DEFAULT 0"`
+ Creator *User `xorm:"-"`
NumWatches int
NumStars int
NumForks int
@@ -174,11 +182,12 @@ type Repository struct {
NumOpenIssues int `xorm:"-"`
NumPulls int
NumClosedPulls int
- NumOpenPulls int `xorm:"-"`
- NumMilestones int `xorm:"NOT NULL DEFAULT 0"`
- NumClosedMilestones int `xorm:"NOT NULL DEFAULT 0"`
- NumOpenMilestones int `xorm:"-"`
- NumCommit int64 `xorm:"NOT NULL DEFAULT 0"`
+ NumOpenPulls int `xorm:"-"`
+ NumMilestones int `xorm:"NOT NULL DEFAULT 0"`
+ NumClosedMilestones int `xorm:"NOT NULL DEFAULT 0"`
+ NumOpenMilestones int `xorm:"-"`
+ NumCommit int64 `xorm:"NOT NULL DEFAULT 0"`
+ RepoType RepoType `xorm:"NOT NULL DEFAULT 0"`
IsPrivate bool `xorm:"INDEX"`
IsEmpty bool `xorm:"INDEX"`
@@ -221,8 +230,10 @@ type Repository struct {
CreatedUnix timeutil.TimeStamp `xorm:"INDEX created"`
UpdatedUnix timeutil.TimeStamp `xorm:"INDEX updated"`
- Hot int64 `xorm:"-"`
- Active int64 `xorm:"-"`
+ Hot int64 `xorm:"-"`
+ Active int64 `xorm:"-"`
+ Alias string `xorm:"INDEX"`
+ LowerAlias string `xorm:"INDEX"`
}
// SanitizedOriginalURL returns a sanitized OriginalURL
@@ -233,6 +244,14 @@ func (repo *Repository) SanitizedOriginalURL() string {
return util.SanitizeURLCredentials(repo.OriginalURL, false)
}
+// GetAlias returns a sanitized OriginalURL
+func (repo *Repository) DisplayName() string {
+ if repo.Alias == "" {
+ return repo.Name
+ }
+ return repo.Alias
+}
+
// ColorFormat returns a colored string to represent this repo
func (repo *Repository) ColorFormat(s fmt.State) {
var ownerName interface{}
@@ -286,6 +305,11 @@ func (repo *Repository) FullName() string {
return repo.OwnerName + "/" + repo.Name
}
+// FullDisplayName returns the repository full display name
+func (repo *Repository) FullDisplayName() string {
+ return repo.OwnerName + "/" + repo.DisplayName()
+}
+
// HTMLURL returns the repository HTML URL
func (repo *Repository) HTMLURL() string {
return setting.AppURL + repo.FullName()
@@ -385,7 +409,9 @@ func (repo *Repository) innerAPIFormat(e Engine, mode AccessMode, isParent bool)
ID: repo.ID,
Owner: repo.Owner.APIFormat(),
Name: repo.Name,
+ Alias: repo.Alias,
FullName: repo.FullName(),
+ FullDisplayName: repo.FullDisplayName(),
Description: repo.Description,
Private: repo.IsPrivate,
Template: repo.IsTemplate,
@@ -548,6 +574,19 @@ func (repo *Repository) GetOwner() error {
return repo.getOwner(x)
}
+func (repo *Repository) getCreator(e Engine) (err error) {
+ if repo.CreatorID == 0 {
+ return nil
+ }
+
+ repo.Creator, err = getUserByID(e, repo.CreatorID)
+ return err
+}
+
+func (repo *Repository) GetCreator() error {
+ return repo.getCreator(x)
+}
+
func (repo *Repository) mustOwner(e Engine) *User {
if err := repo.getOwner(e); err != nil {
return &User{
@@ -921,17 +960,50 @@ func (repo *Repository) DescriptionHTML() template.HTML {
return template.HTML(markup.Sanitize(string(desc)))
}
-func isRepositoryExist(e Engine, u *User, repoName string) (bool, error) {
- has, err := e.Get(&Repository{
- OwnerID: u.ID,
- LowerName: strings.ToLower(repoName),
- })
- return has && com.IsDir(RepoPath(u.Name, repoName)), err
+func isRepositoryExist(e Engine, u *User, repoName string, alias string) (bool, error) {
+ var cond = builder.NewCond()
+ cond = cond.And(builder.Eq{"owner_id": u.ID})
+ if alias != "" {
+ subCon := builder.NewCond()
+ subCon = subCon.Or(builder.Eq{"lower_alias": strings.ToLower(alias)}, builder.Eq{"lower_name": strings.ToLower(repoName)})
+ cond = cond.And(subCon)
+ } else {
+ cond = cond.And(builder.Eq{"lower_name": strings.ToLower(repoName)})
+ }
+ count, err := e.Where(cond).Count(&Repository{})
+ return count > 0 || com.IsDir(RepoPath(u.Name, repoName)), err
}
// IsRepositoryExist returns true if the repository with given name under user has already existed.
-func IsRepositoryExist(u *User, repoName string) (bool, error) {
- return isRepositoryExist(x, u, repoName)
+func IsRepositoryExist(u *User, repoName string, alias string) (bool, error) {
+ return isRepositoryExist(x, u, repoName, alias)
+}
+
+// IsRepositoryAliasExist returns true if the repository with given alias under user has already existed.
+func IsRepositoryAliasExist(u *User, alias string) (bool, error) {
+ return isRepositoryAliasExist(x, u, alias)
+}
+
+func isRepositoryAliasExist(e Engine, u *User, alias string) (bool, error) {
+ var cond = builder.NewCond()
+ cond = cond.And(builder.Eq{"owner_id": u.ID})
+ cond = cond.And(builder.Eq{"lower_alias": strings.ToLower(alias)})
+ count, err := e.Where(cond).Count(&Repository{})
+ return count > 0, err
+}
+
+func IsRepositoryAliasAvailable(doer *User, alias string) error {
+ if err := IsUsableRepoAlias(alias); err != nil {
+ return err
+ }
+
+ has, err := IsRepositoryAliasExist(doer, alias)
+ if err != nil {
+ return fmt.Errorf("IsRepositoryExist: %v", err)
+ } else if has {
+ return ErrRepoAlreadyExist{doer.Name, alias}
+ }
+ return nil
}
// CloneLink represents different types of clone URLs of repository.
@@ -975,20 +1047,24 @@ func (repo *Repository) CloneLink() (cl *CloneLink) {
}
// CheckCreateRepository check if could created a repository
-func CheckCreateRepository(doer, u *User, name string) error {
+func CheckCreateRepository(doer, u *User, repoName, alias string) error {
if !doer.CanCreateRepo() {
return ErrReachLimitOfRepo{u.MaxRepoCreation}
}
- if err := IsUsableRepoName(name); err != nil {
+ if err := IsUsableRepoName(repoName); err != nil {
+ return err
+ }
+
+ if err := IsUsableRepoAlias(alias); err != nil {
return err
}
- has, err := isRepositoryExist(x, u, name)
+ has, err := isRepositoryExist(x, u, repoName, alias)
if err != nil {
return fmt.Errorf("IsRepositoryExist: %v", err)
} else if has {
- return ErrRepoAlreadyExist{u.Name, name}
+ return ErrRepoAlreadyExist{u.Name, repoName}
}
return nil
}
@@ -996,6 +1072,7 @@ func CheckCreateRepository(doer, u *User, name string) error {
// CreateRepoOptions contains the create repository options
type CreateRepoOptions struct {
Name string
+ Alias string
Description string
OriginalURL string
GitServiceType api.GitServiceType
@@ -1008,6 +1085,8 @@ type CreateRepoOptions struct {
IsMirror bool
AutoInit bool
Status RepositoryStatus
+ IsCourse bool
+ Topics []string
}
// GetRepoInitFile returns repository init files
@@ -1036,8 +1115,10 @@ func GetRepoInitFile(tp, name string) ([]byte, error) {
}
var (
- reservedRepoNames = []string{".", ".."}
- reservedRepoPatterns = []string{"*.git", "*.wiki"}
+ reservedRepoNames = []string{".", ".."}
+ reservedRepoPatterns = []string{"*.git", "*.wiki"}
+ reservedRepoAliasNames = []string{}
+ reservedRepoAliasPatterns = []string{}
)
// IsUsableRepoName returns true when repository is usable
@@ -1045,19 +1126,34 @@ func IsUsableRepoName(name string) error {
return isUsableName(reservedRepoNames, reservedRepoPatterns, name)
}
+// IsUsableRepoAlias returns true when repository alias is usable
+func IsUsableRepoAlias(name string) error {
+ return isUsableName(reservedRepoAliasNames, reservedRepoAliasPatterns, name)
+}
+
// CreateRepository creates a repository for the user/organization.
-func CreateRepository(ctx DBContext, doer, u *User, repo *Repository) (err error) {
+func CreateRepository(ctx DBContext, doer, u *User, repo *Repository, opts ...CreateRepoOptions) (err error) {
+ if repo.Alias == "" {
+ repo.Alias = repo.Name
+ }
+ repo.LowerAlias = strings.ToLower(repo.Alias)
if err = IsUsableRepoName(repo.Name); err != nil {
return err
}
- has, err := isRepositoryExist(ctx.e, u, repo.Name)
+ if err := IsUsableRepoAlias(repo.Alias); err != nil {
+ return err
+ }
+ has, err := isRepositoryExist(ctx.e, u, repo.Name, repo.Alias)
if err != nil {
return fmt.Errorf("IsRepositoryExist: %v", err)
} else if has {
return ErrRepoAlreadyExist{u.Name, repo.Name}
}
-
+ isCourse := isCourse(opts)
+ if isCourse {
+ repo.CreatorID = doer.ID
+ }
if _, err = ctx.e.Insert(repo); err != nil {
return err
}
@@ -1091,17 +1187,23 @@ func CreateRepository(ctx DBContext, doer, u *User, repo *Repository) (err error
Config: &PullRequestsConfig{AllowMerge: true, AllowRebase: true, AllowRebaseMerge: true, AllowSquash: true},
})
} else if tp == UnitTypeDatasets {
- units = append(units, RepoUnit{
- RepoID: repo.ID,
- Type: tp,
- Config: &DatasetConfig{EnableDataset: true},
- })
+ if !isCourse {
+ units = append(units, RepoUnit{
+ RepoID: repo.ID,
+ Type: tp,
+ Config: &DatasetConfig{EnableDataset: true},
+ })
+ }
+
} else if tp == UnitTypeCloudBrain {
- units = append(units, RepoUnit{
- RepoID: repo.ID,
- Type: tp,
- Config: &CloudBrainConfig{EnableCloudBrain: true},
- })
+ if !isCourse {
+ units = append(units, RepoUnit{
+ RepoID: repo.ID,
+ Type: tp,
+ Config: &CloudBrainConfig{EnableCloudBrain: true},
+ })
+ }
+
} else if tp == UnitTypeBlockChain {
units = append(units, RepoUnit{
RepoID: repo.ID,
@@ -1109,11 +1211,13 @@ func CreateRepository(ctx DBContext, doer, u *User, repo *Repository) (err error
Config: &BlockChainConfig{EnableBlockChain: true},
})
} else if tp == UnitTypeModelManage {
- units = append(units, RepoUnit{
- RepoID: repo.ID,
- Type: tp,
- Config: &ModelManageConfig{EnableModelManage: true},
- })
+ if !isCourse {
+ units = append(units, RepoUnit{
+ RepoID: repo.ID,
+ Type: tp,
+ Config: &ModelManageConfig{EnableModelManage: true},
+ })
+ }
} else {
units = append(units, RepoUnit{
RepoID: repo.ID,
@@ -1183,6 +1287,14 @@ func CreateRepository(ctx DBContext, doer, u *User, repo *Repository) (err error
return nil
}
+func isCourse(opts []CreateRepoOptions) bool {
+ var isCourse = false
+ if len(opts) > 0 {
+ isCourse = opts[0].IsCourse
+ }
+ return isCourse
+}
+
func countRepositories(userID int64, private bool) int64 {
sess := x.Where("id > 0")
@@ -1233,7 +1345,7 @@ func TransferOwnership(doer *User, newOwnerName string, repo *Repository) error
}
// Check if new owner has repository with same name.
- has, err := IsRepositoryExist(newOwner, repo.Name)
+ has, err := IsRepositoryExist(newOwner, repo.Name, repo.Alias)
if err != nil {
return fmt.Errorf("IsRepositoryExist: %v", err)
} else if has {
@@ -1366,7 +1478,7 @@ func ChangeRepositoryName(doer *User, repo *Repository, newRepoName string) (err
return err
}
- has, err := IsRepositoryExist(repo.Owner, newRepoName)
+ has, err := IsRepositoryExist(repo.Owner, newRepoName, "")
if err != nil {
return fmt.Errorf("IsRepositoryExist: %v", err)
} else if has {
@@ -1848,6 +1960,26 @@ func getRepositoryByOwnerAndName(e Engine, ownerName, repoName string) (*Reposit
return &repo, nil
}
+// GetRepositoryByOwnerAndAlias returns the repository by given ownername and reponame.
+func GetRepositoryByOwnerAndAlias(ownerName, alias string) (*Repository, error) {
+ return getRepositoryByOwnerAndAlias(x, ownerName, alias)
+}
+
+func getRepositoryByOwnerAndAlias(e Engine, ownerName, alias string) (*Repository, error) {
+ var repo Repository
+ has, err := e.Table("repository").Select("repository.*").
+ Join("INNER", "`user`", "`user`.id = repository.owner_id").
+ Where("repository.lower_alias = ?", strings.ToLower(alias)).
+ And("`user`.lower_name = ?", strings.ToLower(ownerName)).
+ Get(&repo)
+ if err != nil {
+ return nil, err
+ } else if !has {
+ return nil, ErrRepoNotExist{0, 0, ownerName, alias}
+ }
+ return &repo, nil
+}
+
// GetRepositoryByName returns the repository by given name under user if exists.
func GetRepositoryByName(ownerID int64, name string) (*Repository, error) {
repo := &Repository{
@@ -2521,6 +2653,14 @@ func UpdateRepositoryCommitNum(repo *Repository) error {
return nil
}
+func GenerateDefaultRepoName(ownerName string) string {
+ if len(ownerName) > 5 {
+ ownerName = ownerName[:5]
+ }
+ now := time.Now().Format("20060102150405")
+ return ownerName + now + fmt.Sprint(rand.Intn(10))
+}
+
type RepoFile struct {
CommitId string
Content []byte
diff --git a/models/repo_generate.go b/models/repo_generate.go
index 480683cd4..08bb1463d 100644
--- a/models/repo_generate.go
+++ b/models/repo_generate.go
@@ -19,6 +19,7 @@ import (
// GenerateRepoOptions contains the template units to generate
type GenerateRepoOptions struct {
Name string
+ Alias string
Description string
Private bool
GitContent bool
diff --git a/models/repo_list.go b/models/repo_list.go
index c4d8ee823..6fb9380de 100755
--- a/models/repo_list.go
+++ b/models/repo_list.go
@@ -48,9 +48,12 @@ func (repos RepositoryList) loadAttributes(e Engine) error {
set := make(map[int64]struct{})
repoIDs := make([]int64, len(repos))
+ setCreator := make(map[int64]struct{})
for i := range repos {
set[repos[i].OwnerID] = struct{}{}
repoIDs[i] = repos[i].ID
+ setCreator[repos[i].CreatorID] = struct{}{}
+
}
// Load owners.
@@ -61,8 +64,18 @@ func (repos RepositoryList) loadAttributes(e Engine) error {
Find(&users); err != nil {
return fmt.Errorf("find users: %v", err)
}
+ //Load creator
+ creators := make(map[int64]*User, len(set))
+ if err := e.
+ Where("id > 0").
+ In("id", keysInt64(setCreator)).
+ Find(&creators); err != nil {
+ return fmt.Errorf("find create repo users: %v", err)
+ }
+
for i := range repos {
repos[i].Owner = users[repos[i].OwnerID]
+ repos[i].Creator = creators[repos[i].CreatorID]
}
// Load primary language.
@@ -174,6 +187,10 @@ type SearchRepoOptions struct {
// True -> include just has milestones
// False -> include just has no milestone
HasMilestones util.OptionalBool
+ // None -> include all repos
+ // True -> include just courses
+ // False -> include just no courses
+ Course util.OptionalBool
}
//SearchOrderBy is used to sort the result
@@ -200,8 +217,8 @@ const (
SearchOrderByForks SearchOrderBy = "num_forks ASC"
SearchOrderByForksReverse SearchOrderBy = "num_forks DESC"
SearchOrderByDownloadTimes SearchOrderBy = "download_times DESC"
- SearchOrderByHot SearchOrderBy = "(num_watches + num_stars + num_forks + clone_cnt) DESC"
- SearchOrderByActive SearchOrderBy = "(num_issues + num_pulls + num_commit) DESC"
+ SearchOrderByHot SearchOrderBy = "(num_watches + num_stars + num_forks + clone_cnt) DESC"
+ SearchOrderByActive SearchOrderBy = "(num_issues + num_pulls + num_commit) DESC"
)
// SearchRepositoryCondition creates a query condition according search repository options
@@ -321,6 +338,7 @@ func SearchRepositoryCondition(opts *SearchRepoOptions) builder.Cond {
var likes = builder.NewCond()
for _, v := range strings.Split(opts.Keyword, ",") {
likes = likes.Or(builder.Like{"lower_name", strings.ToLower(v)})
+ likes = likes.Or(builder.Like{"alias", v})
if opts.IncludeDescription {
likes = likes.Or(builder.Like{"LOWER(description)", strings.ToLower(v)})
}
@@ -350,6 +368,10 @@ func SearchRepositoryCondition(opts *SearchRepoOptions) builder.Cond {
cond = cond.And(builder.Eq{"is_mirror": opts.Mirror == util.OptionalBoolTrue})
}
+ if opts.Course == util.OptionalBoolTrue {
+ cond = cond.And(builder.Eq{"repo_type": RepoCourse})
+ }
+
if opts.Actor != nil && opts.Actor.IsRestricted {
cond = cond.And(accessibleRepositoryCondition(opts.Actor))
}
diff --git a/models/repo_tag.go b/models/repo_tag.go
index 76740bd76..730eb3f2a 100644
--- a/models/repo_tag.go
+++ b/models/repo_tag.go
@@ -28,6 +28,7 @@ type OfficialTagRepos struct {
type TagReposBrief struct {
RepoID int64
RepoName string
+ Alias string
TagID int64
}
@@ -41,7 +42,7 @@ type TagsDetail struct {
TagId int64
TagName string
TagLimit int
- RepoList []Repository
+ RepoList []*Repository
}
func GetTagByID(id int64) (*OfficialTag, error) {
@@ -97,7 +98,7 @@ func UpdateTagReposByID(tagID, orgID int64, repoIdList []int64) error {
func GetTagRepos(tagID, orgID int64) ([]TagReposSelected, error) {
t := make([]TagReposBrief, 0)
- const SQLCmd = "select t1.id as repo_id,t1.name as repo_name,t2.id as tag_id from repository t1 left join official_tag_repos t2 on (t1.id = t2.repo_id and t2.tag_id = ?) where t1.owner_id = ? and t1.is_private = false order by t1.updated_unix desc"
+ const SQLCmd = "select t1.id as repo_id,t1.name as repo_name,t1.alias,t2.id as tag_id from repository t1 left join official_tag_repos t2 on (t1.id = t2.repo_id and t2.tag_id = ?) where t1.owner_id = ? and t1.is_private = false order by t1.updated_unix desc"
if err := x.SQL(SQLCmd, tagID, orgID).Find(&t); err != nil {
return nil, err
@@ -108,9 +109,13 @@ func GetTagRepos(tagID, orgID int64) ([]TagReposSelected, error) {
if v.TagID > 0 {
selected = true
}
+ repoName := v.Alias
+ if v.Alias == "" {
+ repoName = v.RepoName
+ }
r = append(r, TagReposSelected{
RepoID: v.RepoID,
- RepoName: v.RepoName,
+ RepoName: repoName,
Selected: selected,
})
}
@@ -141,8 +146,8 @@ func GetAllOfficialTagRepos(orgID int64, isOwner bool) ([]TagsDetail, error) {
return result, nil
}
-func GetOfficialTagDetail(orgID, tagId int64) ([]Repository, error) {
- t := make([]Repository, 0)
+func GetOfficialTagDetail(orgID, tagId int64) ([]*Repository, error) {
+ t := make([]*Repository, 0)
const SQLCmd = "select t2.* from official_tag_repos t1 inner join repository t2 on t1.repo_id = t2.id where t1.org_id = ? and t1.tag_id=? order by t2.updated_unix desc"
if err := x.SQL(SQLCmd, orgID, tagId).Find(&t); err != nil {
diff --git a/models/repo_watch.go b/models/repo_watch.go
index 85a7834bb..31868fcae 100644
--- a/models/repo_watch.go
+++ b/models/repo_watch.go
@@ -305,7 +305,10 @@ func NotifyWatchersActions(acts []*Action) error {
return err
}
}
- return sess.Commit()
+
+ err := sess.Commit()
+ producer(acts...)
+ return err
}
func watchIfAuto(e Engine, userID, repoID int64, isWrite bool) error {
diff --git a/models/user_business_analysis.go b/models/user_business_analysis.go
index d04e350c2..288762161 100644
--- a/models/user_business_analysis.go
+++ b/models/user_business_analysis.go
@@ -387,7 +387,7 @@ func refreshUserStaticTable(wikiCountMap map[string]int, CommitCodeSizeMap map[s
OpenIIndexMap := queryUserRepoOpenIIndex(startTime.Unix(), end_unix)
- DataDate := currentTimeNow.Format("2006-01-02")
+ DataDate := currentTimeNow.Format("2006-01-02") + " 00:01"
cond := "type != 1 and is_active=true"
count, err := sess.Where(cond).Count(new(User))
diff --git a/modules/auth/auth.go b/modules/auth/auth.go
index 352e50ca0..6a156491d 100644
--- a/modules/auth/auth.go
+++ b/modules/auth/auth.go
@@ -186,6 +186,8 @@ func validate(errs binding.Errors, data map[string]interface{}, f Form, l macaro
data["ErrorMsg"] = trName + l.Tr("form.include_error", GetInclude(field))
case validation.ErrGlobPattern:
data["ErrorMsg"] = trName + l.Tr("form.glob_pattern_error", errs[0].Message)
+ case validation.ErrAlphaDashDotChinese:
+ data["ErrorMsg"] = trName + l.Tr("form.alpha_dash_dot_chinese_error")
default:
data["ErrorMsg"] = l.Tr("form.unknown_error") + " " + errs[0].Classification
}
diff --git a/modules/auth/cloudbrain.go b/modules/auth/cloudbrain.go
index d598b495c..0d7ef1b02 100755
--- a/modules/auth/cloudbrain.go
+++ b/modules/auth/cloudbrain.go
@@ -6,14 +6,19 @@ import (
)
type CreateCloudBrainForm struct {
- JobName string `form:"job_name" binding:"Required"`
- Image string `form:"image" binding:"Required"`
- Command string `form:"command" binding:"Required"`
- Attachment string `form:"attachment" binding:"Required"`
- JobType string `form:"job_type" binding:"Required"`
- BenchmarkCategory string `form:"get_benchmark_category"`
- GpuType string `form:"gpu_type"`
- ResourceSpecId int `form:"resource_spec_id" binding:"Required"`
+ JobName string `form:"job_name" binding:"Required"`
+ Image string `form:"image" binding:"Required"`
+ Command string `form:"command" binding:"Required"`
+ Attachment string `form:"attachment" binding:"Required"`
+ JobType string `form:"job_type" binding:"Required"`
+ BenchmarkCategory string `form:"get_benchmark_category"`
+ GpuType string `form:"gpu_type"`
+ TrainUrl string `form:"train_url"`
+ TestUrl string `form:"test_url"`
+ Description string `form:"description"`
+ ResourceSpecId int `form:"resource_spec_id" binding:"Required"`
+ BenchmarkTypeID int `form:"benchmark_types_id"`
+ BenchmarkChildTypeID int `form:"benchmark_child_types_id"`
}
type CommitImageCloudBrainForm struct {
diff --git a/modules/auth/modelarts.go b/modules/auth/modelarts.go
index 59f72696e..821cd72f8 100755
--- a/modules/auth/modelarts.go
+++ b/modules/auth/modelarts.go
@@ -45,6 +45,30 @@ type CreateModelArtsTrainJobForm struct {
EngineName string `form:"engine_names" binding:"Required"`
}
+type CreateModelArtsInferenceJobForm struct {
+ JobName string `form:"job_name" binding:"Required"`
+ Attachment string `form:"attachment" binding:"Required"`
+ BootFile string `form:"boot_file" binding:"Required"`
+ WorkServerNumber int `form:"work_server_number" binding:"Required"`
+ EngineID int `form:"engine_id" binding:"Required"`
+ PoolID string `form:"pool_id" binding:"Required"`
+ Flavor string `form:"flavor" binding:"Required"`
+ Params string `form:"run_para_list" binding:"Required"`
+ Description string `form:"description"`
+ IsSaveParam string `form:"is_save_para"`
+ ParameterTemplateName string `form:"parameter_template_name"`
+ PrameterDescription string `form:"parameter_description"`
+ BranchName string `form:"branch_name" binding:"Required"`
+ VersionName string `form:"version_name" binding:"Required"`
+ FlavorName string `form:"flaver_names" binding:"Required"`
+ EngineName string `form:"engine_names" binding:"Required"`
+ LabelName string `form:"label_names" binding:"Required"`
+ TrainUrl string `form:"train_url" binding:"Required"`
+ ModelName string `form:"model_name" binding:"Required"`
+ ModelVersion string `form:"model_version" binding:"Required"`
+ CkptName string `form:"ckpt_name" binding:"Required"`
+}
+
func (f *CreateModelArtsTrainJobForm) Validate(ctx *macaron.Context, errs binding.Errors) binding.Errors {
return validate(errs, ctx.Data, f, ctx.Locale)
}
diff --git a/modules/auth/repo_form.go b/modules/auth/repo_form.go
index 8061c6469..c113aa890 100755
--- a/modules/auth/repo_form.go
+++ b/modules/auth/repo_form.go
@@ -29,6 +29,7 @@ import (
type CreateRepoForm struct {
UID int64 `binding:"Required"`
RepoName string `binding:"Required;AlphaDashDot;MaxSize(100)"`
+ Alias string `binding:"Required;MaxSize(100);AlphaDashDotChinese"`
Private bool
Description string `binding:"MaxSize(1024)"`
DefaultBranch string `binding:"GitRefName;MaxSize(100)"`
@@ -62,6 +63,7 @@ type MigrateRepoForm struct {
UID int64 `json:"uid" binding:"Required"`
// required: true
RepoName string `json:"repo_name" binding:"Required;AlphaDashDot;MaxSize(100)"`
+ Alias string `json:"alias" binding:"Required;AlphaDashDotChinese;MaxSize(100)"`
Mirror bool `json:"mirror"`
Private bool `json:"private"`
Description string `json:"description" binding:"MaxSize(255)"`
@@ -109,6 +111,7 @@ func (f MigrateRepoForm) ParseRemoteAddr(user *models.User) (string, error) {
// RepoSettingForm form for changing repository settings
type RepoSettingForm struct {
RepoName string `binding:"Required;AlphaDashDot;MaxSize(100)"`
+ Alias string `binding:"Required;AlphaDashDotChinese;MaxSize(100)"`
Description string `binding:"MaxSize(255)"`
Website string `binding:"ValidUrl;MaxSize(255)"`
Interval string
@@ -725,3 +728,15 @@ type DeadlineForm struct {
func (f *DeadlineForm) Validate(ctx *macaron.Context, errs binding.Errors) binding.Errors {
return validate(errs, ctx.Data, f, ctx.Locale)
}
+
+type CreateCourseForm struct {
+ RepoName string `binding:"Required;AlphaDashDot;MaxSize(100)"`
+ Alias string `binding:"Required;MaxSize(100);AlphaDashDotChinese"`
+ Topics string
+ Description string `binding:"MaxSize(1024)"`
+}
+
+// Validate validates the fields
+func (f *CreateCourseForm) Validate(ctx *macaron.Context, errs binding.Errors) binding.Errors {
+ return validate(errs, ctx.Data, f, ctx.Locale)
+}
diff --git a/modules/auth/user_form.go b/modules/auth/user_form.go
old mode 100644
new mode 100755
index 228e17dce..86771b9f8
--- a/modules/auth/user_form.go
+++ b/modules/auth/user_form.go
@@ -105,6 +105,11 @@ func (f RegisterForm) IsEmailDomainWhitelisted() bool {
}
domain := strings.ToLower(f.Email[n+1:])
+
+ //support edu.cn
+ if strings.HasSuffix(domain, "edu.cn") {
+ return true
+ }
for _, v := range setting.Service.EmailDomainWhitelist {
if strings.ToLower(v) == domain {
diff --git a/modules/cloudbrain/cloudbrain.go b/modules/cloudbrain/cloudbrain.go
index 74dcbe7b0..f15443b30 100755
--- a/modules/cloudbrain/cloudbrain.go
+++ b/modules/cloudbrain/cloudbrain.go
@@ -14,11 +14,16 @@ import (
)
const (
- Command = `pip3 install jupyterlab==2.2.5 -i https://pypi.tuna.tsinghua.edu.cn/simple;service ssh stop;jupyter lab --no-browser --ip=0.0.0.0 --allow-root --notebook-dir="/code" --port=80 --LabApp.token="" --LabApp.allow_origin="self https://cloudbrain.pcl.ac.cn"`
+ Command = `pip3 install jupyterlab==2.2.5 -i https://pypi.tuna.tsinghua.edu.cn/simple;
+ service ssh stop;
+ jupyter lab --no-browser --ip=0.0.0.0 --allow-root --notebook-dir="/code" --port=80 --LabApp.token="" --LabApp.allow_origin="self https://cloudbrain.pcl.ac.cn"`
+ //CommandBenchmark = `echo "start benchmark";python /code/test.py;echo "end benchmark"`
+ CommandBenchmark = `echo "start benchmark";cd /benchmark && bash run_bk.sh;echo "end benchmark"`
CodeMountPath = "/code"
DataSetMountPath = "/dataset"
ModelMountPath = "/model"
BenchMarkMountPath = "/benchmark"
+ BenchMarkResourceID = 1
Snn4imagenetMountPath = "/snn4imagenet"
BrainScoreMountPath = "/brainscore"
TaskInfoName = "/taskInfo"
@@ -102,7 +107,7 @@ func AdminOrJobCreaterRight(ctx *context.Context) {
}
-func GenerateTask(ctx *context.Context, jobName, image, command, uuid, codePath, modelPath, benchmarkPath, snn4imagenetPath, brainScorePath, jobType, gpuQueue string, resourceSpecId int) error {
+func GenerateTask(ctx *context.Context, jobName, image, command, uuid, codePath, modelPath, benchmarkPath, snn4imagenetPath, brainScorePath, jobType, gpuQueue, description string, benchmarkTypeID, benchmarkChildTypeID, resourceSpecId int) error {
dataActualPath := setting.Attachment.Minio.RealPath +
setting.Attachment.Minio.Bucket + "/" +
setting.Attachment.Minio.BasePath +
@@ -201,19 +206,22 @@ func GenerateTask(ctx *context.Context, jobName, image, command, uuid, codePath,
var jobID = jobResult.Payload["jobId"].(string)
err = models.CreateCloudbrain(&models.Cloudbrain{
- Status: string(models.JobWaiting),
- UserID: ctx.User.ID,
- RepoID: ctx.Repo.Repository.ID,
- JobID: jobID,
- JobName: jobName,
- SubTaskName: SubTaskName,
- JobType: jobType,
- Type: models.TypeCloudBrainOne,
- Uuid: uuid,
- Image: image,
- GpuQueue: gpuQueue,
- ResourceSpecId: resourceSpecId,
- ComputeResource: models.GPUResource,
+ Status: string(models.JobWaiting),
+ UserID: ctx.User.ID,
+ RepoID: ctx.Repo.Repository.ID,
+ JobID: jobID,
+ JobName: jobName,
+ SubTaskName: SubTaskName,
+ JobType: jobType,
+ Type: models.TypeCloudBrainOne,
+ Uuid: uuid,
+ Image: image,
+ GpuQueue: gpuQueue,
+ ResourceSpecId: resourceSpecId,
+ ComputeResource: models.GPUResource,
+ BenchmarkTypeID: benchmarkTypeID,
+ BenchmarkChildTypeID: benchmarkChildTypeID,
+ Description: description,
})
if err != nil {
@@ -270,7 +278,7 @@ func RestartTask(ctx *context.Context, task *models.Cloudbrain, newJobID *string
Volumes: []models.Volume{
{
HostPath: models.StHostPath{
- Path: storage.GetMinioPath(jobName, CodeMountPath + "/"),
+ Path: storage.GetMinioPath(jobName, CodeMountPath+"/"),
MountPath: CodeMountPath,
ReadOnly: false,
},
@@ -284,28 +292,28 @@ func RestartTask(ctx *context.Context, task *models.Cloudbrain, newJobID *string
},
{
HostPath: models.StHostPath{
- Path: storage.GetMinioPath(jobName, ModelMountPath + "/"),
+ Path: storage.GetMinioPath(jobName, ModelMountPath+"/"),
MountPath: ModelMountPath,
ReadOnly: false,
},
},
{
HostPath: models.StHostPath{
- Path: storage.GetMinioPath(jobName, BenchMarkMountPath + "/"),
+ Path: storage.GetMinioPath(jobName, BenchMarkMountPath+"/"),
MountPath: BenchMarkMountPath,
ReadOnly: true,
},
},
{
HostPath: models.StHostPath{
- Path: storage.GetMinioPath(jobName, Snn4imagenetMountPath + "/"),
+ Path: storage.GetMinioPath(jobName, Snn4imagenetMountPath+"/"),
MountPath: Snn4imagenetMountPath,
ReadOnly: true,
},
},
{
HostPath: models.StHostPath{
- Path: storage.GetMinioPath(jobName, BrainScoreMountPath + "/"),
+ Path: storage.GetMinioPath(jobName, BrainScoreMountPath+"/"),
MountPath: BrainScoreMountPath,
ReadOnly: true,
},
@@ -323,18 +331,18 @@ func RestartTask(ctx *context.Context, task *models.Cloudbrain, newJobID *string
var jobID = jobResult.Payload["jobId"].(string)
newTask := &models.Cloudbrain{
- Status: string(models.JobWaiting),
- UserID: task.UserID,
- RepoID: task.RepoID,
- JobID: jobID,
- JobName: task.JobName,
- SubTaskName: task.SubTaskName,
- JobType: task.JobType,
- Type: task.Type,
- Uuid: task.Uuid,
- Image: task.Image,
- GpuQueue: task.GpuQueue,
- ResourceSpecId: task.ResourceSpecId,
+ Status: string(models.JobWaiting),
+ UserID: task.UserID,
+ RepoID: task.RepoID,
+ JobID: jobID,
+ JobName: task.JobName,
+ SubTaskName: task.SubTaskName,
+ JobType: task.JobType,
+ Type: task.Type,
+ Uuid: task.Uuid,
+ Image: task.Image,
+ GpuQueue: task.GpuQueue,
+ ResourceSpecId: task.ResourceSpecId,
ComputeResource: task.ComputeResource,
}
diff --git a/modules/cloudbrain/resty.go b/modules/cloudbrain/resty.go
index 4e30ea0e4..46b7c991b 100755
--- a/modules/cloudbrain/resty.go
+++ b/modules/cloudbrain/resty.go
@@ -2,7 +2,10 @@ package cloudbrain
import (
"encoding/json"
+ "errors"
"fmt"
+ "net/http"
+ "strconv"
"strings"
"code.gitea.io/gitea/modules/log"
@@ -23,6 +26,8 @@ const (
JobHasBeenStopped = "S410"
Public = "public"
Custom = "custom"
+ LogPageSize = 500
+ LogPageTokenExpired = "5m"
)
func getRestyClient() *resty.Client {
@@ -270,3 +275,99 @@ sendjob:
return nil
}
+
+func GetJobLog(jobID string) (*models.GetJobLogResult, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.GetJobLogResult
+ req := models.GetJobLogParams{
+ Size: strconv.Itoa(LogPageSize),
+ Sort: "log.offset",
+ QueryInfo: models.QueryInfo{
+ MatchInfo: models.MatchInfo{
+ PodName: jobID + "-task1-0",
+ },
+ },
+ }
+
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetBody(req).
+ SetResult(&result).
+ Post(HOST + "es/_search?_source=message&scroll=" + LogPageTokenExpired)
+
+ if err != nil {
+ log.Error("GetJobLog failed: %v", err)
+ return &result, fmt.Errorf("resty GetJobLog: %v, %s", err, res.String())
+ }
+
+ if !strings.Contains(res.Status(), strconv.Itoa(http.StatusOK)) {
+ log.Error("res.Status(): %s, response: %s", res.Status(), res.String())
+ return &result, errors.New(res.String())
+ }
+
+ return &result, nil
+}
+
+func GetJobAllLog(scrollID string) (*models.GetJobLogResult, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.GetJobLogResult
+ req := models.GetAllJobLogParams{
+ Scroll: LogPageTokenExpired,
+ ScrollID: scrollID,
+ }
+
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetBody(req).
+ SetResult(&result).
+ Post(HOST + "es/_search/scroll")
+
+ if err != nil {
+ log.Error("GetJobAllLog failed: %v", err)
+ return &result, fmt.Errorf("resty GetJobAllLog: %v, %s", err, res.String())
+ }
+
+ if !strings.Contains(res.Status(), strconv.Itoa(http.StatusOK)) {
+ log.Error("res.Status(): %s, response: %s", res.Status(), res.String())
+ return &result, errors.New(res.String())
+ }
+
+ return &result, nil
+}
+
+func DeleteJobLogToken(scrollID string) (error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.DeleteJobLogTokenResult
+ req := models.DeleteJobLogTokenParams{
+ ScrollID: scrollID,
+ }
+
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetBody(req).
+ SetResult(&result).
+ Delete(HOST + "es/_search/scroll")
+
+ if err != nil {
+ log.Error("DeleteJobLogToken failed: %v", err)
+ return fmt.Errorf("resty DeleteJobLogToken: %v, %s", err, res.String())
+ }
+
+ if !strings.Contains(res.Status(), strconv.Itoa(http.StatusOK)) {
+ log.Error("res.Status(): %s, response: %s", res.Status(), res.String())
+ return errors.New(res.String())
+ }
+
+ if !result.Succeeded {
+ log.Error("DeleteJobLogToken failed")
+ return errors.New("DeleteJobLogToken failed")
+ }
+
+ return nil
+}
diff --git a/modules/context/auth.go b/modules/context/auth.go
index 9877657eb..61a7b029b 100755
--- a/modules/context/auth.go
+++ b/modules/context/auth.go
@@ -64,6 +64,11 @@ func Toggle(options *ToggleOptions) macaron.Handler {
ctx.Redirect(setting.AppSubURL + "/")
return
}
+
+ if ctx.QueryBool("course") {
+ ctx.Redirect(setting.AppSubURL + "/" + setting.Course.OrgName)
+ return
+ }
}
// Redirect to dashboard if user tries to visit any non-login page.
diff --git a/modules/context/context.go b/modules/context/context.go
index 6cb6c267a..65f4b3f5d 100755
--- a/modules/context/context.go
+++ b/modules/context/context.go
@@ -45,8 +45,8 @@ type Context struct {
IsSigned bool
IsBasicAuth bool
- Repo *Repository
- Org *Organization
+ Repo *Repository
+ Org *Organization
Cloudbrain *models.Cloudbrain
}
@@ -328,7 +328,7 @@ func Contexter() macaron.Handler {
}
}
- ctx.Resp.Header().Set(`X-Frame-Options`, `SAMEORIGIN`)
+ //ctx.Resp.Header().Set(`X-Frame-Options`, `SAMEORIGIN`)
ctx.Data["CsrfToken"] = html.EscapeString(x.GetToken())
ctx.Data["CsrfTokenHtml"] = template.HTML(``)
@@ -347,9 +347,9 @@ func Contexter() macaron.Handler {
ctx.Data["EnableSwagger"] = setting.API.EnableSwagger
ctx.Data["EnableOpenIDSignIn"] = setting.Service.EnableOpenIDSignIn
- notice, _ := notice.GetNewestNotice()
- if notice != nil {
- ctx.Data["notice"] = *notice
+ notices, _ := notice.GetNewestNotice()
+ if notices != nil {
+ ctx.Data["notices"] = notices
}
c.Map(ctx)
}
diff --git a/modules/context/org.go b/modules/context/org.go
index 9b87fba9f..9b3f720c9 100644
--- a/modules/context/org.go
+++ b/modules/context/org.go
@@ -63,6 +63,8 @@ func HandleOrgAssignment(ctx *Context, args ...bool) {
org := ctx.Org.Organization
ctx.Data["Org"] = org
+ ctx.Data["IsCourse"] = ctx.Org.Organization.Name == setting.Course.OrgName
+
// Force redirection when username is actually a user.
if !org.IsOrganization() {
ctx.Redirect(setting.AppSubURL + "/" + org.Name)
diff --git a/modules/context/repo.go b/modules/context/repo.go
index 4da6e9a16..64f02c921 100755
--- a/modules/context/repo.go
+++ b/modules/context/repo.go
@@ -402,6 +402,7 @@ func RepoAssignment() macaron.Handler {
}
ctx.Repo.Owner = owner
ctx.Data["Username"] = ctx.Repo.Owner.Name
+ ctx.Data["IsCourse"] = owner.Name == setting.Course.OrgName
// Get repository.
repo, err := models.GetRepositoryByName(owner.ID, repoName)
diff --git a/modules/modelarts/modelarts.go b/modules/modelarts/modelarts.go
index 3f7ebfd91..301c4cb0e 100755
--- a/modules/modelarts/modelarts.go
+++ b/modules/modelarts/modelarts.go
@@ -17,6 +17,7 @@ const (
//notebook
storageTypeOBS = "obs"
autoStopDuration = 4 * 60 * 60
+ autoStopDurationMs = 4 * 60 * 60 * 1000
DataSetMountPath = "/home/ma-user/work"
NotebookEnv = "Python3"
@@ -38,6 +39,7 @@ const (
// "]}"
CodePath = "/code/"
OutputPath = "/output/"
+ ResultPath = "/result/"
LogPath = "/log/"
JobPath = "/job/"
OrderDesc = "desc" //向下查询
@@ -45,6 +47,8 @@ const (
Lines = 500
TrainUrl = "train_url"
DataUrl = "data_url"
+ ResultUrl = "result_url"
+ CkptUrl = "ckpt_url"
PerPage = 10
IsLatestVersion = "1"
NotLatestVersion = "0"
@@ -113,6 +117,36 @@ type GenerateTrainJobVersionReq struct {
TotalVersionCount int
}
+type GenerateInferenceJobReq struct {
+ JobName string
+ Uuid string
+ Description string
+ CodeObsPath string
+ BootFile string
+ BootFileUrl string
+ DataUrl string
+ TrainUrl string
+ FlavorCode string
+ LogUrl string
+ PoolID string
+ WorkServerNumber int
+ EngineID int64
+ Parameters []models.Parameter
+ CommitID string
+ Params string
+ BranchName string
+ FlavorName string
+ EngineName string
+ LabelName string
+ IsLatestVersion string
+ VersionCount int
+ TotalVersionCount int
+ ModelName string
+ ModelVersion string
+ CkptName string
+ ResultUrl string
+}
+
type VersionInfo struct {
Version []struct {
ID int `json:"id"`
@@ -229,6 +263,48 @@ func GenerateTask(ctx *context.Context, jobName, uuid, description, flavor strin
return nil
}
+func GenerateNotebook2(ctx *context.Context, jobName, uuid, description, flavor string) error {
+ if poolInfos == nil {
+ json.Unmarshal([]byte(setting.PoolInfos), &poolInfos)
+ }
+ jobResult, err := createNotebook2(models.CreateNotebook2Params{
+ JobName: jobName,
+ Description: description,
+ Flavor: flavor,
+ Duration: autoStopDurationMs,
+ ImageID: "59a6e9f5-93c0-44dd-85b0-82f390c5d53a",
+ PoolID: poolInfos.PoolInfo[0].PoolId,
+ Feature: models.NotebookFeature,
+ Volume: models.VolumeReq{
+ Capacity: 100,
+ Category: models.EVSCategory,
+ Ownership: models.ManagedOwnership,
+ },
+ WorkspaceID: "0",
+ })
+ if err != nil {
+ log.Error("createNotebook2 failed: %v", err.Error())
+ return err
+ }
+ err = models.CreateCloudbrain(&models.Cloudbrain{
+ Status: string(models.JobWaiting),
+ UserID: ctx.User.ID,
+ RepoID: ctx.Repo.Repository.ID,
+ JobID: jobResult.ID,
+ JobName: jobName,
+ JobType: string(models.JobTypeDebug),
+ Type: models.TypeCloudBrainTwo,
+ Uuid: uuid,
+ ComputeResource: models.NPUResource,
+ })
+
+ if err != nil {
+ return err
+ }
+
+ return nil
+}
+
func GenerateTrainJob(ctx *context.Context, req *GenerateTrainJobReq) (err error) {
jobResult, err := createTrainJob(models.CreateTrainJobParams{
JobName: req.JobName,
@@ -329,12 +405,14 @@ func GenerateTrainJobVersion(ctx *context.Context, req *GenerateTrainJobReq, job
return err
}
+ var jobTypes []string
+ jobTypes = append(jobTypes, string(models.JobTypeTrain))
repo := ctx.Repo.Repository
VersionTaskList, VersionListCount, err := models.CloudbrainsVersionList(&models.CloudbrainsOptions{
- RepoID: repo.ID,
- Type: models.TypeCloudBrainTwo,
- JobType: string(models.JobTypeTrain),
- JobID: strconv.FormatInt(jobResult.JobID, 10),
+ RepoID: repo.ID,
+ Type: models.TypeCloudBrainTwo,
+ JobTypes: jobTypes,
+ JobID: strconv.FormatInt(jobResult.JobID, 10),
})
if err != nil {
ctx.ServerError("Cloudbrain", err)
@@ -441,8 +519,82 @@ func TransTrainJobStatus(status int) string {
}
}
-func GetVersionOutputPathByTotalVersionCount(TotalVersionCount int) (VersionOutputPath string) {
+func GetOutputPathByCount(TotalVersionCount int) (VersionOutputPath string) {
talVersionCountToString := fmt.Sprintf("%04d", TotalVersionCount)
VersionOutputPath = "V" + talVersionCountToString
return VersionOutputPath
}
+
+func GenerateInferenceJob(ctx *context.Context, req *GenerateInferenceJobReq) (err error) {
+ 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.FlavorCode,
+ },
+ Parameter: req.Parameters,
+ },
+ })
+ if err != nil {
+ log.Error("CreateJob failed: %v", err.Error())
+ return err
+ }
+
+ attach, err := models.GetAttachmentByUUID(req.Uuid)
+ if err != nil {
+ log.Error("GetAttachmentByUUID(%s) failed:%v", strconv.FormatInt(jobResult.JobID, 10), err.Error())
+ return err
+ }
+
+ err = models.CreateCloudbrain(&models.Cloudbrain{
+ Status: TransTrainJobStatus(jobResult.Status),
+ UserID: ctx.User.ID,
+ RepoID: ctx.Repo.Repository.ID,
+ JobID: strconv.FormatInt(jobResult.JobID, 10),
+ JobName: req.JobName,
+ JobType: string(models.JobTypeInference),
+ Type: models.TypeCloudBrainTwo,
+ VersionID: jobResult.VersionID,
+ VersionName: jobResult.VersionName,
+ Uuid: req.Uuid,
+ DatasetName: attach.Name,
+ CommitID: req.CommitID,
+ EngineID: req.EngineID,
+ TrainUrl: req.TrainUrl,
+ BranchName: req.BranchName,
+ Parameters: req.Params,
+ BootFile: req.BootFile,
+ DataUrl: req.DataUrl,
+ LogUrl: req.LogUrl,
+ FlavorCode: req.FlavorCode,
+ Description: req.Description,
+ WorkServerNumber: req.WorkServerNumber,
+ FlavorName: req.FlavorName,
+ EngineName: req.EngineName,
+ LabelName: req.LabelName,
+ IsLatestVersion: req.IsLatestVersion,
+ VersionCount: req.VersionCount,
+ TotalVersionCount: req.TotalVersionCount,
+ ModelName: req.ModelName,
+ ModelVersion: req.ModelVersion,
+ CkptName: req.CkptName,
+ ResultUrl: req.ResultUrl,
+ })
+
+ if err != nil {
+ log.Error("CreateCloudbrain(%s) failed:%v", req.JobName, err.Error())
+ return err
+ }
+
+ return nil
+}
diff --git a/modules/modelarts/resty.go b/modules/modelarts/resty.go
index 07f26ceb7..afc5a14c0 100755
--- a/modules/modelarts/resty.go
+++ b/modules/modelarts/resty.go
@@ -28,6 +28,11 @@ const (
urlResourceSpecs = "/job/resource-specs"
urlTrainJobConfig = "/training-job-configs"
errorCodeExceedLimit = "ModelArts.0118"
+
+ //notebook 2.0
+ urlNotebook2 = "/notebooks"
+
+ modelartsIllegalToken = "ModelArts.6401"
)
func getRestyClient() *resty.Client {
@@ -174,6 +179,50 @@ sendjob:
return &result, nil
}
+func GetNotebook2(jobID string) (*models.GetNotebook2Result, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.GetNotebook2Result
+
+ retry := 0
+
+sendjob:
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetResult(&result).
+ Get(HOST + "/v1/" + setting.ProjectID + urlNotebook2 + "/" + jobID)
+
+ if err != nil {
+ return nil, fmt.Errorf("resty GetJob: %v", err)
+ }
+
+ if res.StatusCode() == http.StatusUnauthorized && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+
+ var response models.NotebookResult
+ err = json.Unmarshal(res.Body(), &response)
+ if err != nil {
+ log.Error("json.Unmarshal failed: %s", err.Error())
+ return &result, fmt.Errorf("son.Unmarshal failed: %s", err.Error())
+ }
+
+ if len(response.ErrorCode) != 0 {
+ log.Error("GetJob failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ if response.ErrorCode == modelartsIllegalToken && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+ return &result, fmt.Errorf("GetJob failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ }
+
+ return &result, nil
+}
+
func ManageNotebook(jobID string, param models.NotebookAction) (*models.NotebookActionResult, error) {
checkSetting()
client := getRestyClient()
@@ -214,6 +263,50 @@ sendjob:
return &result, nil
}
+func ManageNotebook2(jobID string, param models.NotebookAction) (*models.NotebookActionResult, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.NotebookActionResult
+
+ retry := 0
+
+sendjob:
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetResult(&result).
+ Post(HOST + "/v1/" + setting.ProjectID + urlNotebook2 + "/" + jobID + "/" + param.Action + "?duration=" + strconv.Itoa(autoStopDurationMs))
+
+ if err != nil {
+ return &result, fmt.Errorf("resty ManageNotebook2: %v", err)
+ }
+
+ if res.StatusCode() == http.StatusUnauthorized && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+
+ var response models.NotebookResult
+ err = json.Unmarshal(res.Body(), &response)
+ if err != nil {
+ log.Error("json.Unmarshal failed: %s", err.Error())
+ return &result, fmt.Errorf("son.Unmarshal failed: %s", err.Error())
+ }
+
+ if len(response.ErrorCode) != 0 {
+ log.Error("ManageNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ if response.ErrorCode == modelartsIllegalToken && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+ return &result, fmt.Errorf("ManageNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ }
+
+ return &result, nil
+}
+
func DelNotebook(jobID string) (*models.NotebookDelResult, error) {
checkSetting()
client := getRestyClient()
@@ -253,6 +346,50 @@ sendjob:
return &result, nil
}
+func DelNotebook2(jobID string) (*models.NotebookDelResult, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.NotebookDelResult
+
+ retry := 0
+
+sendjob:
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetResult(&result).
+ Delete(HOST + "/v1/" + setting.ProjectID + urlNotebook2 + "/" + jobID)
+
+ if err != nil {
+ return &result, fmt.Errorf("resty DelJob: %v", err)
+ }
+
+ if res.StatusCode() == http.StatusUnauthorized && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+
+ var response models.NotebookResult
+ err = json.Unmarshal(res.Body(), &response)
+ if err != nil {
+ log.Error("json.Unmarshal failed: %s", err.Error())
+ return &result, fmt.Errorf("son.Unmarshal failed: %s", err.Error())
+ }
+
+ if len(response.ErrorCode) != 0 {
+ log.Error("DelNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ if response.ErrorCode == modelartsIllegalToken && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+ return &result, fmt.Errorf("DelNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ }
+
+ return &result, nil
+}
+
func DelJob(jobID string) (*models.NotebookDelResult, error) {
checkSetting()
client := getRestyClient()
@@ -874,3 +1011,107 @@ sendjob:
return &result, nil
}
+
+func createInferenceJob(createJobParams models.CreateInferenceJobParams) (*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 inference-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("createInferenceJob failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg)
+ BootFileErrorMsg := "Invalid OBS path '" + createJobParams.InfConfig.BootFileUrl + "'."
+ DataSetErrorMsg := "Invalid OBS path '" + createJobParams.InfConfig.DataUrl + "'."
+ if temp.ErrorMsg == BootFileErrorMsg {
+ log.Error("启动文件错误!createInferenceJob failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg)
+ return &result, fmt.Errorf("启动文件错误!")
+ }
+ if temp.ErrorMsg == DataSetErrorMsg {
+ log.Error("数据集错误!createInferenceJob failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg)
+ return &result, fmt.Errorf("数据集错误!")
+ }
+ return &result, fmt.Errorf("createInferenceJob failed(%d):%s(%s)", res.StatusCode(), temp.ErrorCode, temp.ErrorMsg)
+ }
+
+ if !result.IsSuccess {
+ log.Error("createInferenceJob failed(%s): %s", result.ErrorCode, result.ErrorMsg)
+ return &result, fmt.Errorf("createInferenceJob failed(%s): %s", result.ErrorCode, result.ErrorMsg)
+ }
+
+ return &result, nil
+}
+
+func createNotebook2(createJobParams models.CreateNotebook2Params) (*models.CreateNotebookResult, error) {
+ checkSetting()
+ client := getRestyClient()
+ var result models.CreateNotebookResult
+
+ retry := 0
+
+sendjob:
+ res, err := client.R().
+ SetHeader("Content-Type", "application/json").
+ SetAuthToken(TOKEN).
+ SetBody(createJobParams).
+ SetResult(&result).
+ Post(HOST + "/v1/" + setting.ProjectID + urlNotebook2)
+
+ if err != nil {
+ return nil, fmt.Errorf("resty create notebook2: %s", err)
+ }
+
+ if res.StatusCode() == http.StatusUnauthorized && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+
+ var response models.NotebookResult
+ err = json.Unmarshal(res.Body(), &response)
+ if err != nil {
+ log.Error("json.Unmarshal failed: %s", err.Error())
+ return &result, fmt.Errorf("son.Unmarshal failed: %s", err.Error())
+ }
+
+ if len(response.ErrorCode) != 0 {
+ log.Error("createNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ if response.ErrorCode == errorCodeExceedLimit {
+ response.ErrorMsg = "所选规格使用数量已超过最大配额限制。"
+ }
+ if response.ErrorCode == modelartsIllegalToken && retry < 1 {
+ retry++
+ _ = getToken()
+ goto sendjob
+ }
+ return &result, fmt.Errorf("createNotebook2 failed(%s): %s", response.ErrorCode, response.ErrorMsg)
+ }
+
+ return &result, nil
+}
diff --git a/modules/notification/action/action.go b/modules/notification/action/action.go
index 9956940f3..4bc296657 100644
--- a/modules/notification/action/action.go
+++ b/modules/notification/action/action.go
@@ -154,6 +154,22 @@ func (a *actionNotifier) NotifyRenameRepository(doer *models.User, repo *models.
}
}
+func (a *actionNotifier) NotifyAliasRepository(doer *models.User, repo *models.Repository, oldAlias string) {
+ log.Trace("action.ChangeRepositoryAlias: %s/%s", doer.Name, repo.Alias)
+
+ if err := models.NotifyWatchers(&models.Action{
+ ActUserID: doer.ID,
+ ActUser: doer,
+ OpType: models.ActionRenameRepo,
+ RepoID: repo.ID,
+ Repo: repo,
+ IsPrivate: repo.IsPrivate,
+ Content: oldAlias,
+ }); err != nil {
+ log.Error("NotifyWatchers: %v", err)
+ }
+}
+
func (a *actionNotifier) NotifyTransferRepository(doer *models.User, repo *models.Repository, oldOwnerName string) {
if err := models.NotifyWatchers(&models.Action{
ActUserID: doer.ID,
diff --git a/modules/notification/base/notifier.go b/modules/notification/base/notifier.go
index 0b3e1173b..8325f710c 100644
--- a/modules/notification/base/notifier.go
+++ b/modules/notification/base/notifier.go
@@ -18,6 +18,7 @@ type Notifier interface {
NotifyDeleteRepository(doer *models.User, repo *models.Repository)
NotifyForkRepository(doer *models.User, oldRepo, repo *models.Repository)
NotifyRenameRepository(doer *models.User, repo *models.Repository, oldRepoName string)
+ NotifyAliasRepository(doer *models.User, repo *models.Repository, oldAlias string)
NotifyTransferRepository(doer *models.User, repo *models.Repository, oldOwnerName string)
NotifyNewIssue(*models.Issue)
diff --git a/modules/notification/base/null.go b/modules/notification/base/null.go
index d2fd51d71..a74c47980 100644
--- a/modules/notification/base/null.go
+++ b/modules/notification/base/null.go
@@ -135,6 +135,10 @@ func (*NullNotifier) NotifyDeleteRef(doer *models.User, repo *models.Repository,
func (*NullNotifier) NotifyRenameRepository(doer *models.User, repo *models.Repository, oldRepoName string) {
}
+func (a *NullNotifier) NotifyAliasRepository(doer *models.User, repo *models.Repository, oldAlias string) {
+
+}
+
// NotifyTransferRepository places a place holder function
func (*NullNotifier) NotifyTransferRepository(doer *models.User, repo *models.Repository, oldOwnerName string) {
}
diff --git a/modules/repository/create.go b/modules/repository/create.go
index d740c58b1..0844c43c3 100644
--- a/modules/repository/create.go
+++ b/modules/repository/create.go
@@ -22,12 +22,17 @@ func CreateRepository(doer, u *models.User, opts models.CreateRepoOptions) (_ *m
Limit: u.MaxRepoCreation,
}
}
+ var RepoType = models.RepoNormal
+ if opts.IsCourse {
+ RepoType = models.RepoCourse
+ }
repo := &models.Repository{
OwnerID: u.ID,
Owner: u,
OwnerName: u.Name,
Name: opts.Name,
+ Alias: opts.Alias,
LowerName: strings.ToLower(opts.Name),
Description: opts.Description,
OriginalURL: opts.OriginalURL,
@@ -37,10 +42,15 @@ func CreateRepository(doer, u *models.User, opts models.CreateRepoOptions) (_ *m
CloseIssuesViaCommitInAnyBranch: setting.Repository.DefaultCloseIssuesViaCommitsInAnyBranch,
Status: opts.Status,
IsEmpty: !opts.AutoInit,
+ RepoType: RepoType,
+ Topics: opts.Topics,
}
err = models.WithTx(func(ctx models.DBContext) error {
- if err = models.CreateRepository(ctx, doer, u, repo); err != nil {
+ if err = models.CreateRepository(ctx, doer, u, repo, opts); err != nil {
+ return err
+ }
+ if err = models.SaveTopics(repo.ID, opts.Topics...); err != nil {
return err
}
diff --git a/modules/repository/fork.go b/modules/repository/fork.go
index 2ed2a0eb7..da9039d00 100644
--- a/modules/repository/fork.go
+++ b/modules/repository/fork.go
@@ -15,7 +15,7 @@ import (
)
// ForkRepository forks a repository
-func ForkRepository(doer, owner *models.User, oldRepo *models.Repository, name, desc string) (_ *models.Repository, err error) {
+func ForkRepository(doer, owner *models.User, oldRepo *models.Repository, name, desc, alias string) (_ *models.Repository, err error) {
forkedRepo, err := oldRepo.GetUserFork(owner.ID)
if err != nil {
return nil, err
@@ -33,6 +33,7 @@ func ForkRepository(doer, owner *models.User, oldRepo *models.Repository, name,
Owner: owner,
OwnerName: owner.Name,
Name: name,
+ Alias: alias,
LowerName: strings.ToLower(name),
Description: desc,
DefaultBranch: oldRepo.DefaultBranch,
diff --git a/modules/repository/fork_test.go b/modules/repository/fork_test.go
index cb3526bcc..f599ead68 100644
--- a/modules/repository/fork_test.go
+++ b/modules/repository/fork_test.go
@@ -18,7 +18,7 @@ func TestForkRepository(t *testing.T) {
user := models.AssertExistsAndLoadBean(t, &models.User{ID: 13}).(*models.User)
repo := models.AssertExistsAndLoadBean(t, &models.Repository{ID: 10}).(*models.Repository)
- fork, err := ForkRepository(user, user, repo, "test", "test")
+ fork, err := ForkRepository(user, user, repo, "test", "test", "test")
assert.Nil(t, fork)
assert.Error(t, err)
assert.True(t, models.IsErrForkAlreadyExist(err))
diff --git a/modules/repository/generate.go b/modules/repository/generate.go
index 6d80488de..86c9a5c28 100644
--- a/modules/repository/generate.go
+++ b/modules/repository/generate.go
@@ -236,6 +236,7 @@ func GenerateRepository(ctx models.DBContext, doer, owner *models.User, template
Owner: owner,
OwnerName: owner.Name,
Name: opts.Name,
+ Alias: opts.Alias,
LowerName: strings.ToLower(opts.Name),
Description: opts.Description,
IsPrivate: opts.Private,
diff --git a/modules/repository/init.go b/modules/repository/init.go
index 3d1c663c8..5dc352d65 100644
--- a/modules/repository/init.go
+++ b/modules/repository/init.go
@@ -51,7 +51,7 @@ func prepareRepoCommit(ctx models.DBContext, repo *models.Repository, tmpDir, re
cloneLink := repo.CloneLink()
match := map[string]string{
- "Name": repo.Name,
+ "Name": repo.DisplayName(),
"Description": repo.Description,
"CloneURL.SSH": cloneLink.SSH,
"CloneURL.HTTPS": cloneLink.HTTPS,
diff --git a/modules/setting/setting.go b/modules/setting/setting.go
index e7ab0b7d2..c6828f9f7 100755
--- a/modules/setting/setting.go
+++ b/modules/setting/setting.go
@@ -462,11 +462,15 @@ var (
MaxDuration int64
//benchmark config
- IsBenchmarkEnabled bool
- BenchmarkOwner string
- BenchmarkName string
- BenchmarkServerHost string
- BenchmarkCategory string
+ IsBenchmarkEnabled bool
+ BenchmarkOwner string
+ BenchmarkName string
+ BenchmarkServerHost string
+ BenchmarkCategory string
+ BenchmarkTypes string
+ BenchmarkGpuTypes string
+ BenchmarkResourceSpecs string
+ BenchmarkMaxDuration int64
//snn4imagenet config
IsSnn4imagenetEnabled bool
@@ -508,6 +512,7 @@ var (
ProfileID string
PoolInfos string
Flavor string
+ DebugHost string
//train-job
ResourcePools string
Engines string
@@ -568,6 +573,11 @@ var (
}{}
Warn_Notify_Mails []string
+
+ Course = struct {
+ OrgName string
+ TeamName string
+ }{}
)
// DateLang transforms standard language locale name to corresponding value in datetime plugin.
@@ -1270,6 +1280,10 @@ func NewContext() {
BenchmarkName = sec.Key("NAME").MustString("")
BenchmarkServerHost = sec.Key("HOST").MustString("")
BenchmarkCategory = sec.Key("CATEGORY").MustString("")
+ BenchmarkTypes = sec.Key("TYPES").MustString("")
+ BenchmarkGpuTypes = sec.Key("GPU_TYPES").MustString("")
+ BenchmarkResourceSpecs = sec.Key("RESOURCE_SPECS").MustString("")
+ BenchmarkMaxDuration = sec.Key("MAX_DURATION").MustInt64(14400)
sec = Cfg.Section("snn4imagenet")
IsSnn4imagenetEnabled = sec.Key("ENABLED").MustBool(false)
@@ -1312,6 +1326,7 @@ func NewContext() {
ProfileID = sec.Key("PROFILE_ID").MustString("")
PoolInfos = sec.Key("POOL_INFOS").MustString("")
Flavor = sec.Key("FLAVOR").MustString("")
+ DebugHost = sec.Key("DEBUG_SERVER_HOST").MustString("http://192.168.202.73")
ResourcePools = sec.Key("Resource_Pools").MustString("")
Engines = sec.Key("Engines").MustString("")
EngineVersions = sec.Key("Engine_Versions").MustString("")
@@ -1331,6 +1346,11 @@ func NewContext() {
sec = Cfg.Section("warn_mail")
Warn_Notify_Mails = strings.Split(sec.Key("mails").MustString(""), ",")
+
+ sec = Cfg.Section("course")
+ Course.OrgName = sec.Key("org_name").MustString("")
+ Course.TeamName = sec.Key("team_name").MustString("")
+
}
func SetRadarMapConfig() {
diff --git a/modules/storage/obs.go b/modules/storage/obs.go
index 367ffe1e8..8e6b4201b 100755
--- a/modules/storage/obs.go
+++ b/modules/storage/obs.go
@@ -28,6 +28,13 @@ type FileInfo struct {
ParenDir string `json:"ParenDir"`
UUID string `json:"UUID"`
}
+type FileInfoList []FileInfo
+
+func (ulist FileInfoList) Swap(i, j int) { ulist[i], ulist[j] = ulist[j], ulist[i] }
+func (ulist FileInfoList) Len() int { return len(ulist) }
+func (ulist FileInfoList) Less(i, j int) bool {
+ return strings.Compare(ulist[i].FileName, ulist[j].FileName) > 0
+}
//check if has the object
func ObsHasObject(path string) (bool, error) {
@@ -50,8 +57,8 @@ func ObsHasObject(path string) (bool, error) {
return hasObject, nil
}
-func GetObsPartInfos(uuid string, uploadID string) (string, error) {
- key := strings.TrimPrefix(path.Join(setting.BasePath, path.Join(uuid[0:1], uuid[1:2], uuid, uuid)), "/")
+func GetObsPartInfos(uuid, uploadID, fileName string) (string, error) {
+ key := strings.TrimPrefix(path.Join(setting.BasePath, path.Join(uuid[0:1], uuid[1:2], uuid, fileName)), "/")
output, err := ObsCli.ListParts(&obs.ListPartsInput{
Bucket: setting.Bucket,
@@ -333,7 +340,8 @@ func GetAllObjectByBucketAndPrefix(bucket string, prefix string) ([]FileInfo, er
input.MaxKeys = 100
input.Prefix = prefix
index := 1
- fileInfos := make([]FileInfo, 0)
+ fileInfoList := FileInfoList{}
+
prefixLen := len(prefix)
log.Info("prefix=" + input.Prefix)
for {
@@ -358,7 +366,7 @@ func GetAllObjectByBucketAndPrefix(bucket string, prefix string) ([]FileInfo, er
IsDir: isDir,
ParenDir: "",
}
- fileInfos = append(fileInfos, fileInfo)
+ fileInfoList = append(fileInfoList, fileInfo)
}
if output.IsTruncated {
input.Marker = output.NextMarker
@@ -373,13 +381,14 @@ func GetAllObjectByBucketAndPrefix(bucket string, prefix string) ([]FileInfo, er
return nil, err
}
}
- return fileInfos, nil
+ sort.Sort(fileInfoList)
+ return fileInfoList, nil
}
-func GetObsListObject(jobName, parentDir, versionName string) ([]FileInfo, error) {
+func GetObsListObject(jobName, outPutPath, parentDir, versionName string) ([]FileInfo, error) {
input := &obs.ListObjectsInput{}
input.Bucket = setting.Bucket
- input.Prefix = strings.TrimPrefix(path.Join(setting.TrainJobModelPath, jobName, setting.OutPutPath, versionName, parentDir), "/")
+ input.Prefix = strings.TrimPrefix(path.Join(setting.TrainJobModelPath, jobName, outPutPath, versionName, parentDir), "/")
strPrefix := strings.Split(input.Prefix, "/")
output, err := ObsCli.ListObjects(input)
fileInfos := make([]FileInfo, 0)
@@ -401,7 +410,7 @@ func GetObsListObject(jobName, parentDir, versionName string) ([]FileInfo, error
nextParentDir = parentDir + "/" + fileName
}
- if fileName == strPrefix[len(strPrefix)-1] || (fileName+"/") == setting.OutPutPath {
+ if fileName == strPrefix[len(strPrefix)-1] || (fileName+"/") == outPutPath {
continue
}
} else {
diff --git a/modules/structs/repo.go b/modules/structs/repo.go
index 70de9b746..6e9ece4b0 100755
--- a/modules/structs/repo.go
+++ b/modules/structs/repo.go
@@ -46,31 +46,33 @@ type ExternalWiki struct {
// Repository represents a repository
type Repository struct {
- ID int64 `json:"id"`
- Owner *User `json:"owner"`
- Name string `json:"name"`
- FullName string `json:"full_name"`
- Description string `json:"description"`
- Empty bool `json:"empty"`
- Private bool `json:"private"`
- Fork bool `json:"fork"`
- Template bool `json:"template"`
- Parent *Repository `json:"parent"`
- Mirror bool `json:"mirror"`
- Size int `json:"size"`
- HTMLURL string `json:"html_url"`
- SSHURL string `json:"ssh_url"`
- CloneURL string `json:"clone_url"`
- OriginalURL string `json:"original_url"`
- Website string `json:"website"`
- Stars int `json:"stars_count"`
- Forks int `json:"forks_count"`
- Watchers int `json:"watchers_count"`
- OpenIssues int `json:"open_issues_count"`
- OpenPulls int `json:"open_pr_counter"`
- Releases int `json:"release_counter"`
- DefaultBranch string `json:"default_branch"`
- Archived bool `json:"archived"`
+ ID int64 `json:"id"`
+ Owner *User `json:"owner"`
+ Name string `json:"name"`
+ Alias string `json:"alias"`
+ FullName string `json:"full_name"`
+ FullDisplayName string `json:"full_display_name"`
+ Description string `json:"description"`
+ Empty bool `json:"empty"`
+ Private bool `json:"private"`
+ Fork bool `json:"fork"`
+ Template bool `json:"template"`
+ Parent *Repository `json:"parent"`
+ Mirror bool `json:"mirror"`
+ Size int `json:"size"`
+ HTMLURL string `json:"html_url"`
+ SSHURL string `json:"ssh_url"`
+ CloneURL string `json:"clone_url"`
+ OriginalURL string `json:"original_url"`
+ Website string `json:"website"`
+ Stars int `json:"stars_count"`
+ Forks int `json:"forks_count"`
+ Watchers int `json:"watchers_count"`
+ OpenIssues int `json:"open_issues_count"`
+ OpenPulls int `json:"open_pr_counter"`
+ Releases int `json:"release_counter"`
+ DefaultBranch string `json:"default_branch"`
+ Archived bool `json:"archived"`
// swagger:strfmt date-time
Created time.Time `json:"created_at"`
// swagger:strfmt date-time
@@ -98,6 +100,10 @@ type CreateRepoOption struct {
// required: true
// unique: true
Name string `json:"name" binding:"Required;AlphaDashDot;MaxSize(100)"`
+ // Alias of the repository to create
+ // required: false
+ // unique: true
+ Alias string `json:"alias" binding:"AlphaDashDotChinese;MaxSize(100)"`
// Description of the repository to create
Description string `json:"description" binding:"MaxSize(255)"`
// Whether the repository is private
@@ -217,6 +223,7 @@ type MigrateRepoOption struct {
UID int `json:"uid" binding:"Required"`
// required: true
RepoName string `json:"repo_name" binding:"Required"`
+ Alias string `json:"alias" binding:"Required"`
Mirror bool `json:"mirror"`
Private bool `json:"private"`
Description string `json:"description"`
diff --git a/modules/task/task.go b/modules/task/task.go
index 72f111ecc..722e39bec 100644
--- a/modules/task/task.go
+++ b/modules/task/task.go
@@ -84,6 +84,7 @@ func CreateMigrateTask(doer, u *models.User, opts base.MigrateOptions) (*models.
repo, err := repo_module.CreateRepository(doer, u, models.CreateRepoOptions{
Name: opts.RepoName,
+ Alias: opts.Alias,
Description: opts.Description,
OriginalURL: opts.OriginalURL,
GitServiceType: opts.GitServiceType,
diff --git a/modules/templates/helper.go b/modules/templates/helper.go
index da278ba32..3d31b611c 100755
--- a/modules/templates/helper.go
+++ b/modules/templates/helper.go
@@ -93,6 +93,7 @@ func NewFuncMap() []template.FuncMap {
"TimeSince": timeutil.TimeSince,
"TimeSinceUnix": timeutil.TimeSinceUnix,
"TimeSinceUnix1": timeutil.TimeSinceUnix1,
+ "TimeSinceUnixShort": timeutil.TimeSinceUnixShort,
"RawTimeSince": timeutil.RawTimeSince,
"FileSize": base.FileSize,
"PrettyNumber": base.PrettyNumber,
@@ -342,6 +343,7 @@ func NewTextFuncMap() []texttmpl.FuncMap {
"TimeSince": timeutil.TimeSince,
"TimeSinceUnix": timeutil.TimeSinceUnix,
"TimeSinceUnix1": timeutil.TimeSinceUnix1,
+ "TimeSinceUnixShort": timeutil.TimeSinceUnixShort,
"RawTimeSince": timeutil.RawTimeSince,
"DateFmtLong": func(t time.Time) string {
return t.Format(time.RFC1123Z)
diff --git a/modules/timeutil/since.go b/modules/timeutil/since.go
index a7854ed91..b19cc6401 100755
--- a/modules/timeutil/since.go
+++ b/modules/timeutil/since.go
@@ -165,5 +165,8 @@ func htmlTimeSinceUnix(then, now TimeStamp, lang string) template.HTML {
func TimeSinceUnix1(then TimeStamp) string {
format := time.Unix(int64(then), 0).Format("2006-01-02 15:04:05")
return format
-
+}
+func TimeSinceUnixShort(then TimeStamp) string {
+ format := time.Unix(int64(then), 0).Format("2006-01-02")
+ return format
}
diff --git a/modules/validation/binding.go b/modules/validation/binding.go
index 1c67878ea..d52919475 100644
--- a/modules/validation/binding.go
+++ b/modules/validation/binding.go
@@ -19,6 +19,8 @@ const (
// ErrGlobPattern is returned when glob pattern is invalid
ErrGlobPattern = "GlobPattern"
+
+ ErrAlphaDashDotChinese = "AlphaDashDotChineseError"
)
var (
@@ -26,6 +28,8 @@ var (
// They cannot have ASCII control characters (i.e. bytes whose values are lower than \040, or \177 DEL), space, tilde ~, caret ^, or colon : anywhere.
// They cannot have question-mark ?, asterisk *, or open bracket [ anywhere
GitRefNamePatternInvalid = regexp.MustCompile(`[\000-\037\177 \\~^:?*[]+`)
+
+ AlphaDashDotChinese = regexp.MustCompile("^[\u4e00-\u9fa5\\.\\-_A-Za-z0-9]+$")
)
// CheckGitRefAdditionalRulesValid check name is valid on additional rules
@@ -53,6 +57,7 @@ func AddBindingRules() {
addGitRefNameBindingRule()
addValidURLBindingRule()
addGlobPatternRule()
+ addAlphaDashDotChineseRule()
}
func addGitRefNameBindingRule() {
@@ -117,6 +122,24 @@ func addGlobPatternRule() {
})
}
+func addAlphaDashDotChineseRule() {
+ binding.AddRule(&binding.Rule{
+ IsMatch: func(rule string) bool {
+ return strings.HasPrefix(rule, "AlphaDashDotChinese")
+ },
+ IsValid: func(errs binding.Errors, name string, val interface{}) (bool, binding.Errors) {
+ if val == "" {
+ return true, errs
+ }
+ if !ValidAlphaDashDotChinese(fmt.Sprintf("%v", val)) {
+ errs.Add([]string{name}, ErrAlphaDashDotChinese, "ErrAlphaDashDotChinese")
+ return false, errs
+ }
+ return true, errs
+ },
+ })
+}
+
func portOnly(hostport string) string {
colon := strings.IndexByte(hostport, ':')
if colon == -1 {
@@ -139,3 +162,7 @@ func validPort(p string) bool {
}
return true
}
+
+func ValidAlphaDashDotChinese(value string) bool {
+ return AlphaDashDotChinese.MatchString(value)
+}
diff --git a/options/locale/locale_en-US.ini b/options/locale/locale_en-US.ini
old mode 100644
new mode 100755
index d07e048bf..b3ede3b06
--- a/options/locale/locale_en-US.ini
+++ b/options/locale/locale_en-US.ini
@@ -50,6 +50,8 @@ repository = Repository
organization = Organization
mirror = Mirror
new_repo = New Repository
+new_course=Publish Course
+course_desc = Course Description
new_migrate = New Migration
new_dataset = New Dataset
edit_dataset = Edit Dataset
@@ -219,46 +221,49 @@ show_only_public = Showing only public
issues.in_your_repos = In your repositories
contributors = Contributors
+contributor = Contributor
page_title=Explore Better AI
-page_small_title=OpenI AI development cooperation platform
+page_small_title=OpenI AI Development Cooperation Platform
page_description=The one-stop collaborative development environment for AI field provides AI development pipeline integrating code development, data management, model debugging, reasoning and evaluation
page_use=Use Now
-page_only_dynamic=Show only open source project dynamics
-page_recommend_org=Recommended organization
-page_recommend_org_desc=These excellent organizations are using Qizhi AI to develop collaboration platforms; Your organization also wants to show here,
-page_recommend_org_commit=Click here to submit
-page_recommend_org_more=More organizations
-page_recommend_repo=Recommended projects
-page_recommend_repo_desc=Excellent AI project recommendation; Your project also wants to show here,
-page_recommend_repo_commit=Click here to submit
-page_recommend_repo_go=. Click here
-page_recommend_repo_more=Project Square
-page_dev_env=Collaborative development environment
-page_dev_env_desc=The biggest difference between Qizhi AI collaborative development platform and traditional git platform is that it provides a collaborative development environment for AI development
-page_dev_env_desc_title=Unified management of development elements
-page_dev_env_desc_desc=The platform provides four elements of AI development: unified management of model code, data set, model and execution environment
-page_dev_env_desc1_title=Data collaboration and sharing
-page_dev_env_desc1_desc=By uploading data sets in the project, many project members cooperate to complete data preprocessing; You can also establish a better model with community developers by setting the data as a public dataset
-page_dev_env_desc2_title=Model management and sharing
-page_dev_env_desc2_desc=Associate the model with the code version, adjust the model in different ways based on the code history version, and save the results; The trained model can be open and shared, so that more people can use the model to test and give feedback
-page_dev_env_desc3_title=One configuration, multiple use
-page_dev_env_desc3_desc=Provide execution environment sharing, one-time configuration and multiple use, reduce the threshold of model development, and avoid spending repeated time configuring complex environments
-page_dev_yunlao=PengCheng Cloudbrain open source collaboration
-page_dev_yunlao_desc1=The platform has been connected with Pengcheng Cloudbrain and can use the rich computing resources of Pengcheng Cloudbrain to complete AI development tasks
-page_dev_yunlao_desc2=Pengcheng Cloudbrain's existing AI computing power is 100p FLOPS@FP16 (billions of half precision floating-point calculations per second), the main hardware infrastructure is composed of GPU server equipped with NVIDIA Tesla V100 and Atlas 900 AI cluster equipped with Kunpeng and shengteng processors
-page_dev_yunlao_desc3=Developers can freely choose the corresponding computing resources according to the use requirements, and can test the adaptability, performance and stability of the model in different hardware environments
-page_dev_yunlao_desc4=If your model needs more computing resources, you can also apply separately
-page_dev_yunlao_apply=Separate apply
+page_only_dynamic=Only show the dynamics of open source projects
+page_recommend_org=Recommended Organizations
+page_recommend_org_desc=These excellent organizations are using the OpenI AI Collaboration Platform for collaborative development of projects. To show your organization here,
+page_recommend_org_commit=Click here to submit.
+page_recommend_org_more=More Organizations
+page_recommend_repo=Recommended Projects
+page_recommend_repo_desc=Excellent AI projects recommendation. To show your project here,
+page_recommend_repo_commit=Click here to submit.
+page_recommend_repo_go=Click here to
+page_recommend_repo_more=explore more projects.
+page_dev_env=Collaborative Development Environment
+page_dev_env_desc=Provide a collaborative development environment for AI development, which is the biggest highlight that distinguishes the OpenI AI Collaboration Platform from other traditional Git platforms.
+page_dev_env_desc_title=Unified Management of Development Elements
+page_dev_env_desc_desc=The platform provides four elements of AI development: unified management of model code, data set, model and execution environment.
+page_dev_env_desc1_title=Data Collaboration and Sharing
+page_dev_env_desc1_desc=By uploading data sets in the project, many project members cooperate to complete data preprocessing. You can also establish a better model with community developers by setting the data as a public dataset.
+page_dev_env_desc2_title=Model Management and Sharing
+page_dev_env_desc2_desc=Associate the model with the code version, you can adjust the model in different ways based on the historical version of the code and save the results. The trained model can be open and shared, so that more people can use the model to test and give feedback.
+page_dev_env_desc3_title=Once Configuration, Multiple Reuse
+page_dev_env_desc3_desc=Provide execution environment sharing, Once Configuration, Multiple Reuse. Lower the threshold of model development, and avoid spending repetitive time configuring complex environments.
+page_dev_yunlao=PengCheng Cloudbrain Open Source Collaboration
+page_dev_yunlao_desc1=The platform has been connected with Pengcheng Cloudbrain and can use the rich computing resources of Pengcheng Cloudbrain to complete AI development tasks.
+page_dev_yunlao_desc2=Pengcheng Cloudbrain's existing AI computing power is 100p FLOPS@FP16 (billions of half precision floating-point calculations per second), the main hardware infrastructure is composed of GPU server equipped with NVIDIA Tesla V100 and Atlas 900 AI cluster equipped with Kunpeng and Ascend processors.
+page_dev_yunlao_desc3=Developers can freely choose the corresponding computing resources according to their needs, and can test the adaptability, performance, stability of the model in different hardware environments.
+page_dev_yunlao_desc4=If your model requires more computing resources, you can also apply for it separately.
+page_dev_yunlao_apply=Apply Separately
[explore]
repos = Repositories
select_repos = Select the project
users = Users
organizations = Organizations
-images = CloudImages
+images = Cloudbrain Mirror
search = Search
+search_pro=Search projects
code = Code
+data_analysis=Digital Bulletin Board (test)
repo_no_results = No matching repositories found.
dataset_no_results = No matching datasets found.
user_no_results = No matching users found.
@@ -266,8 +271,8 @@ org_no_results = No matching organizations found.
code_no_results = No source code matching your search term found.
code_search_results = Search results for '%s'
code_last_indexed_at = Last indexed %s
-save=save
-cancel=cancel
+save=Save
+cancel=Cancel
[auth]
create_new_account = Register Account
@@ -321,7 +326,7 @@ openid_register_title = Create new account
openid_register_desc = The chosen OpenID URI is unknown. Associate it with a new account here.
openid_signin_desc = Enter your OpenID URI. For example: https://anne.me, bob.openid.org.cn or gnusocial.net/carry.
disable_forgot_password_mail = Account recovery is disabled. Please contact your site administrator.
-email_domain_blacklisted = You cannot register with your email address.
+email_domain_blacklisted = You cannot register with this kind of email address.
authorize_application = Authorize Application
authorize_redirect_notice = You will be redirected to %s if you authorize this application.
authorize_application_created_by = This application was created by %s.
@@ -346,7 +351,12 @@ modify = Update
[form]
UserName = Username
-RepoName = Repository name
+Alias = Repository name
+courseAlias = Course Name
+courseAdress = Course Path
+RepoPath = Repository path
+RepoAdress = Repository Adress
+course_Adress = Course Address
Email = Email address
Password = Password
Retype = Re-Type Password
@@ -370,7 +380,10 @@ SSPIDefaultLanguage = Default Language
require_error = ` cannot be empty.`
alpha_dash_error = ` should contain only alphanumeric, dash ('-') and underscore ('_') characters.`
alpha_dash_dot_error = ` should contain only alphanumeric, dash ('-'), underscore ('_') and dot ('.') characters.`
+reponame_dash_dot_error=` Please enter Chinese, alphanumeric, dash ('-') ,underscore ('_') and dot ('.')characters, up to 100 characters. `
+repoadd_dash_dot_error=` Path only allows input alphanumeric, dash ('-') ,underscore ('_') and dot ('.')characters, up to 100 characters. `
git_ref_name_error = ` must be a well-formed Git reference name.`
+alpha_dash_dot_chinese_error= ` should contain only alphanumeric, chinese, dash ('-') and underscore ('_') characters.`
size_error = ` must be size %s.`
min_size_error = ` must contain at least %s characters.`
max_size_error = ` must contain at most %s characters.`
@@ -384,7 +397,8 @@ password_not_match = The passwords do not match.
lang_select_error = Select a language from the list.
username_been_taken = The username is already taken.
-repo_name_been_taken = The repository name is already used.
+repo_name_been_taken = The repository name or path is already used.
+course_name_been_taken=The course name or path is already used.
visit_rate_limit = Remote visit addressed rate limitation.
2fa_auth_required = Remote visit required two factors authentication.
org_name_been_taken = The organization name is already taken.
@@ -630,7 +644,7 @@ oauth2_application_create_description = OAuth2 applications gives your third-par
oauth2_application_remove_description = Removing an OAuth2 application will prevent it to access authorized user accounts on this instance. Continue?
authorized_oauth2_applications = Authorized OAuth2 Applications
-authorized_oauth2_applications_description = You've granted access to your personal openi account to these third party applications. Please revoke access for applications no longer needed.
+authorized_oauth2_applications_description = You have granted access to your personal openi account to these third party applications. Please revoke access for applications no longer needed.
revoke_key = Revoke
revoke_oauth2_grant = Revoke Access
revoke_oauth2_grant_description = Revoking access for this third party application will prevent this application from accessing your data. Are you sure?
@@ -789,6 +803,7 @@ generate_from = Generate From
repo_desc = Description
repo_lang = Language
repo_gitignore_helper = Select .gitignore templates.
+repo_label_helpe = Press Enter to complete
issue_labels = Issue Labels
issue_labels_helper = Select an issue label set.
license = License
@@ -797,6 +812,8 @@ readme = README
readme_helper = Select a README file template.
auto_init = Initialize Repository (Adds .gitignore, License and README)
create_repo = Create Repository
+create_course = Publish Course
+failed_to_create_course=Fail to publish course, please try again later.
default_branch = Default Branch
mirror_prune = Prune
mirror_prune_desc = Remove obsolete remote-tracking references
@@ -860,6 +877,11 @@ get_repo_info_error=Can not get the information of the repository.
generate_statistic_file_error=Fail to generate file.
repo_stat_inspect=ProjectAnalysis
all=All
+
+computing.all = All
+computing.Introduction=Introduction
+computing.success=Join Success
+
modelarts.status=Status
modelarts.createtime=CreateTime
modelarts.version_nums = Version Nums
@@ -869,6 +891,7 @@ modelarts.notebook=Debug Task
modelarts.train_job=Train Task
modelarts.train_job.new_debug= New Debug Task
modelarts.train_job.new_train=New Train Task
+modelarts.train_job.new_infer=New Inference Task
modelarts.train_job.config=Configuration information
modelarts.train_job.new=New train Task
modelarts.train_job.new_place=The description should not exceed 256 characters
@@ -882,6 +905,8 @@ modelarts.parent_version=Parent Version
modelarts.run_version=Run Version
modelarts.train_job.compute_node=Compute Node
modelarts.create_model = Create Model
+modelarts.model_label=Model Label
+modelarts.infer_dataset = Inference Dataset
modelarts.train_job.basic_info=Basic Info
@@ -894,7 +919,7 @@ modelarts.train_job.description=Description
modelarts.train_job.parameter_setting=Parameter setting
modelarts.train_job.parameter_setting_info=Parameter Info
modelarts.train_job.fast_parameter_setting=fast_parameter_setting
-modelarts.train_job.fast_parameter_setting_config=fast_parameter_setting_config
+modelarts.train_job.fast_parameter_setting_config=fast_parameter_setting_config
modelarts.train_job.fast_parameter_setting_config_link=fast_parameter_setting_config_link
modelarts.train_job.frames=frames
modelarts.train_job.algorithm_origin=Algorithm Origin
@@ -928,6 +953,21 @@ modelarts.train_job_para_admin=train_job_para_admin
modelarts.train_job_para.edit=train_job_para.edit
modelarts.train_job_para.connfirm=train_job_para.connfirm
+
+modelarts.evaluate_job=Model Evaluation
+modelarts.evaluate_job.new_job=New Model Evaluation
+cloudbrain.benchmark.evaluate_type=Evaluation Type
+cloudbrain.benchmark.evaluate_child_type=Child Type
+cloudbrain.benchmark.evaluate_mirror=Mirror
+cloudbrain.benchmark.evaluate_train=Train Script
+cloudbrain.benchmark.evaluate_test=Test Script
+modelarts.infer_job_model = Model
+modelarts.infer_job_model_file = Model File
+modelarts.infer_job = Inference Job
+modelarts.infer_job.model_version = Model/Version
+modelarts.infer_job.select_model = Select Model
+modelarts.infer_job.tooltip = The model has been deleted and cannot be viewed.
+
model.manage.import_new_model=Import New Model
model.manage.create_error=Equal Name and Version has existed.
model.manage.model_name = Model Name
@@ -954,14 +994,21 @@ template.avatar = Avatar
template.issue_labels = Issue Labels
template.one_item = Must select at least one template item
template.invalid = Must select a template repository
+template.repo_adress=Adress
+template.repo_path=path
+template.repo_name=Name
archive.title = This repo is archived. You can view files and clone it, but cannot push or open issues/pull-requests.
archive.issue.nocomment = This repo is archived. You cannot comment on issues.
archive.pull.nocomment = This repo is archived. You cannot comment on pull requests.
form.reach_limit_of_creation = You have already reached your limit of %d repositories.
+form.reach_limit_of_course_creation=You have already reached your limit of %d courses or repositories.
form.name_reserved = The repository name '%s' is reserved.
+form.course_name_reserved=The course name '%s' is reserved.
form.name_pattern_not_allowed = The pattern '%s' is not allowed in a repository name.
+form.course_name_pattern_not_allowed=The pattern '%s' is not allowed in a course name.
+add_course_org_fail=Fail to add organization, please try again later.
need_auth = Clone Authorization
migrate_type = Migration Type
@@ -1174,7 +1221,7 @@ issues.filter_label_exclude = `Use alt
+ click/enter
t
issues.filter_label_no_select = All labels
issues.filter_milestone = Milestone
issues.filter_milestone_no_select = All milestones
-issues.filter_milestone_no_add = Not add milestones
+issues.filter_milestone_no_add = Not add milestones
issues.filter_assignee = Assignee
issues.filter_assginee_no_select = All assignees
issues.filter_type = Type
@@ -2006,6 +2053,7 @@ org_full_name_holder = Organization Full Name
org_name_helper = Organization names should be short and memorable.
create_org = Create Organization
repo_updated = Updated
+repo_released = Post
home = Home
people = People
teams = Teams
@@ -2022,6 +2070,14 @@ team_access_desc = Repository access
team_permission_desc = Permission
team_unit_desc = Allow Access to Repository Sections
team_unit_disabled = (Disabled)
+selected_couse=Selected Courses
+release_course = Publish Course
+all_keywords=All keywords
+max_selectedPro= Select up to 9 public projects
+custom_select_courses = Customize selected courses
+recommend_remain_pro = Remain
+save_fail_tips = The upper limit is exceeded
+select_again = Select more than 9, please select again!
form.name_reserved = The organization name '%s' is reserved.
form.name_pattern_not_allowed = The pattern '%s' is not allowed in an organization name.
@@ -2065,6 +2121,8 @@ members.remove = Remove
members.leave = Leave
members.invite_desc = Add a new member to %s:
members.invite_now = Invite Now
+course_members.remove = Remove
+course_members.leave = Leave
teams.join = Join
teams.leave = Leave
@@ -2107,6 +2165,7 @@ teams.all_repositories_helper = Team has access to all repositories. Selecting t
teams.all_repositories_read_permission_desc = This team grants Read access to all repositories: members can view and clone repositories.
teams.all_repositories_write_permission_desc = This team grants Write access to all repositories: members can read from and push to repositories.
teams.all_repositories_admin_permission_desc = This team grants Admin access to all repositories: members can read from, push to and add collaborators to repositories.
+teams.join_teams=Join in
[admin]
dashboard = Dashboard
@@ -2687,6 +2746,7 @@ error.unit_not_allowed = You are not allowed to access this repository section.
head.community = Community
head.project = Repositories
head.openi = OpenI
+head.openi.repo = OpenI Projects
head.dataset = Datasets
foot.council = Council
foot.technical_committee = Technical Committee
diff --git a/options/locale/locale_zh-CN.ini b/options/locale/locale_zh-CN.ini
index 6dd44d848..86e88184c 100755
--- a/options/locale/locale_zh-CN.ini
+++ b/options/locale/locale_zh-CN.ini
@@ -50,6 +50,8 @@ repository=项目
organization=组织
mirror=镜像
new_repo=创建项目
+new_course=发布课程
+course_desc=课程描述
new_dataset=创建数据集
new_migrate=迁移外部项目
edit_dataset = Edit Dataset
@@ -221,6 +223,7 @@ show_only_public=只显示公开的
issues.in_your_repos=属于该用户项目的
contributors=贡献者
+contributor=贡献者
page_title=探索更好的AI
page_small_title=启智AI开发协作平台
@@ -325,7 +328,7 @@ openid_register_title=创建新帐户
openid_register_desc=所选的 OpenID URI 未知。在这里关联一个新帐户。
openid_signin_desc=输入您的 OpenID URI。例如: https://anne.me、bob.openid.org.cn 或 gnusocial.net/carry。
disable_forgot_password_mail=帐户恢复功能已被禁用。请与网站管理员联系。
-email_domain_blacklisted=您不能使用您的电子邮件地址注册。
+email_domain_blacklisted=暂不支持此类电子邮件地址注册。
authorize_application=应用授权
authorize_redirect_notice=如果您授权此应用,您将会被重定向到 %s。
authorize_application_created_by=此应用由%s创建。
@@ -350,7 +353,13 @@ modify=更新
[form]
UserName=用户名
-RepoName=项目名称
+RepoName=项目路径
+Alias=项目名称
+courseAlias=课程名称
+courseAdress=课程路径
+RepoPath=项目路径
+RepoAdress=项目地址
+course_Adress = 课程地址
Email=邮箱地址
Password=密码
Retype=重新输入密码
@@ -374,7 +383,10 @@ SSPIDefaultLanguage=默认语言
require_error=不能为空。
alpha_dash_error=应该只包含字母数字、破折号 ('-') 和下划线 ('_') 字符。
alpha_dash_dot_error=应该只包含字母数字, 破折号 ('-'), 下划线 ('_') 和点 ('. ') 。
+reponame_dash_dot_error=请输入中文、字母、数字和-_ .,最多100个字符。
+repoadd_dash_dot_error=路径只允许字母、数字和-_ .,最多100个字符。
git_ref_name_error=` 必须是格式良好的 git 引用名称。`
+alpha_dash_dot_chinese_error=应该只包含字母数字中文, 破折号 ('-'), 下划线 ('_') 和点 ('. ') 。
size_error=长度必须为 %s。
min_size_error=长度最小为 %s 个字符。
max_size_error=长度最大为 %s 个字符。
@@ -388,7 +400,8 @@ password_not_match=密码不匹配。
lang_select_error=从列表中选出语言
username_been_taken=用户名已被使用。
-repo_name_been_taken=项目名称已被使用。
+repo_name_been_taken=项目名称或项目路径已被使用。
+course_name_been_taken=课程名称或地址已被使用。
visit_rate_limit=远程访问达到速度限制。
2fa_auth_required=远程访问需要双重验证。
org_name_been_taken=组织名称已被使用。
@@ -794,6 +807,7 @@ generate_from=生成自
repo_desc=项目描述
repo_lang=项目语言
repo_gitignore_helper=选择 .gitignore 模板。
+repo_label_helpe=输入完成后回车键完成标签确定。
issue_labels=任务标签
issue_labels_helper=选择一个任务标签集
license=授权许可
@@ -802,6 +816,8 @@ readme=自述
readme_helper=选择自述文件模板。
auto_init=初始化存储库 (添加. gitignore、许可证和自述文件)
create_repo=创建项目
+create_course=发布课程
+failed_to_create_course=发布课程失败,请稍后再试。
default_branch=默认分支
mirror_prune=修剪
mirror_prune_desc=删除过时的远程跟踪引用
@@ -831,7 +847,7 @@ debug=调试
debug_again=再次调试
stop=停止
delete=删除
-model_download=模型下载
+model_download=结果下载
submit_image=提交镜像
download=模型下载
@@ -867,6 +883,10 @@ generate_statistic_file_error=生成文件失败。
repo_stat_inspect=项目分析
all=所有
+computing.all=全部
+computing.Introduction=简介
+computing.success=加入成功
+
modelarts.status=状态
modelarts.createtime=创建时间
modelarts.version_nums=版本数
@@ -876,9 +896,10 @@ modelarts.notebook=调试任务
modelarts.train_job=训练任务
modelarts.train_job.new_debug=新建调试任务
modelarts.train_job.new_train=新建训练任务
+modelarts.train_job.new_infer=新建推理任务
modelarts.train_job.config=配置信息
modelarts.train_job.new=新建训练任务
-modelarts.train_job.new_place=描述字数不超过256个字符
+modelarts.train_job.new_place=描述字数不超过255个字符
modelarts.model_name=模型名称
modelarts.model_size=模型大小
modelarts.import_model=导入模型
@@ -888,6 +909,8 @@ modelarts.current_version=当前版本
modelarts.parent_version=父版本
modelarts.run_version=运行版本
modelarts.create_model=创建模型
+modelarts.model_label=模型标签
+modelarts.infer_dataset = 推理数据集
@@ -929,7 +952,7 @@ modelarts.train_job.NAS_mount_path=NAS挂载路径
modelarts.train_job.query_whether_save_parameter=保存作业参数
modelarts.train_job.save_helper=保存当前作业的配置参数,后续您可以使用已保存的配置参数快速创建训练作业。
modelarts.train_job.common_frame=常用框架
-modelarts.train_job.amount_of_compute_node=计算节点个数
+modelarts.train_job.amount_of_compute_node=计算节点数
modelarts.train_job.job_parameter_name=任务参数名称
modelarts.train_job.parameter_description=任务参数描述
modelarts.log=日志
@@ -938,6 +961,22 @@ modelarts.back=返回
modelarts.train_job_para_admin=任务参数管理
modelarts.train_job_para.edit=编辑
modelarts.train_job_para.connfirm=确定
+modelarts.evaluate_job=评测任务
+modelarts.evaluate_job.new_job=新建评测任务
+cloudbrain.benchmark.evaluate_type=评测类型
+cloudbrain.benchmark.evaluate_child_type=子类型
+cloudbrain.benchmark.evaluate_mirror=镜像
+cloudbrain.benchmark.evaluate_train=训练程序
+cloudbrain.benchmark.evaluate_test=测试程序
+
+
+modelarts.infer_job_model = 模型名称
+modelarts.infer_job_model_file = 模型文件
+modelarts.infer_job = 推理任务
+modelarts.infer_job.model_version = 模型/版本
+modelarts.infer_job.select_model = 选择模型
+modelarts.infer_job.boot_file_helper=启动文件是您程序执行的入口文件,必须是以.py结尾的文件。比如inference.py、main.py、example/inference.py、case/main.py。
+modelarts.infer_job.tooltip = 该模型已删除,无法查看。
model.manage.import_new_model=导入新模型
model.manage.create_error=相同的名称和版本的模型已经存在。
@@ -965,14 +1004,21 @@ template.avatar=头像
template.issue_labels=任务标签
template.one_item=必须至少选择一个模板项
template.invalid=必须选择一个模板项目
+template.repo_adress=项目地址
+template.repo_path=项目地址
+template.repo_name=项目名称
archive.title=此项目已存档。您可以查看文件和克隆,但不能推送或创建任务/合并请求。
archive.issue.nocomment=此项目已存档,您不能在此任务添加评论。
archive.pull.nocomment=此项目已存档,您不能在此合并请求添加评论。
form.reach_limit_of_creation=你已经达到了您的 %d 项目的限制。
+form.reach_limit_of_course_creation=你已经达到了您的 %d 课程的限制。
form.name_reserved=项目名称 '%s' 是被保留的。
+form.course_name_reserved=课程名称 '%s' 是被保留的。
form.name_pattern_not_allowed=项目名称中不允许使用模式 "%s"。
+form.course_name_pattern_not_allowed=课程名称中不允许使用模式 "%s"。
+add_course_org_fail=加入组织失败,请稍后重试。
need_auth=需要授权验证
migrate_type=迁移类型
@@ -2017,6 +2063,7 @@ org_full_name_holder=组织全名
org_name_helper=组织名字应该简单明了。
create_org=创建组织
repo_updated=最后更新于
+repo_released=发布于
home=组织主页
people=组织成员
teams=组织团队
@@ -2033,6 +2080,14 @@ team_access_desc=项目权限
team_permission_desc=权限
team_unit_desc=允许访问项目单元
team_unit_disabled=(已禁用)
+selected_couse=精选课程
+release_course = 发布课程
+all_keywords=全部关键字
+max_selectedPro= 最多可选9个公开项目
+custom_select_courses = 自定义精选课程
+recommend_remain_pro = 还能推荐
+save_fail_tips = 最多可选9个,保存失败
+select_again = 选择超过9个,请重新选择!
form.name_reserved=组织名称 '%s' 是被保留的。
form.name_pattern_not_allowed=组织名称中不允许使用 "%s"。
@@ -2076,6 +2131,8 @@ members.remove=移除成员
members.leave=离开组织
members.invite_desc=邀请新的用户加入 %s:
members.invite_now=立即邀请
+course_members.remove=移除
+course_members.leave=离开
teams.join=加入团队
teams.leave=离开团队
@@ -2119,6 +2176,10 @@ teams.all_repositories_read_permission_desc=此团队授予读取修改所有项目的访问权限: 成员可以查看和推送至项目。
teams.all_repositories_admin_permission_desc=该团队拥有 管理 所有项目的权限:团队成员可以读取、克隆、推送以及添加其它项目协作者。
+teams.join_teams=加入该组织
+
+
+
[admin]
dashboard=管理面板
users=帐户管理
@@ -2696,6 +2757,7 @@ error.unit_not_allowed=您没有权限访问此项目单元
head.community=启智社区
head.project=项目
head.openi=启智项目
+head.openi.repo = 启智项目
head.dataset=数据集
foot.council=理事会
foot.technical_committee=技术委员会
diff --git a/public/home/home.js b/public/home/home.js
index 92eb86c1d..f49c8248b 100644
--- a/public/home/home.js
+++ b/public/home/home.js
@@ -4,7 +4,6 @@ if(isEmpty(token)){
var meta = $("meta[name=_uid]");
if(!isEmpty(meta)){
token = meta.attr("content");
- console.log("token is uid:" + token);
}
}
@@ -33,30 +32,30 @@ var swiperRepo = new Swiper(".homepro-list", {
});
var output = document.getElementById("newmessage");
-var socket = new WebSocket("ws://" + document.location.host + "/action/notification");
+var url = "ws://" + document.location.host + "/action/notification";
+if(document.location.host == "git.openi.org.cn" || document.URL.startsWith("https")){
+ url = "wss://" + document.location.host + "/action/notification"
+}
+var socket = new WebSocket(url);
socket.onopen = function () {
+ messageQueue = [];
console.log("message has connected.");
};
-var messageQueue = [];
var maxSize = 20;
var html =document.documentElement;
var lang = html.attributes["lang"]
var isZh = true;
if(lang != null && lang.nodeValue =="en-US" ){
- console.log("the language is " + lang.nodeValue);
isZh=false;
}else{
- console.log("default lang=zh");
}
socket.onmessage = function (e) {
var data =JSON.parse(e.data)
- console.log("recevie data=" + e.data)
var html = "";
if (data != null){
- console.log("queue length=" + messageQueue.length);
if(messageQueue.length > maxSize){
delete messageQueue[0];
}else{
@@ -65,38 +64,38 @@ socket.onmessage = function (e) {
var currentTime = new Date().getTime();
for(var i = 0; i < messageQueue.length; i++){
var record = messageQueue[i];
-
+
var recordPrefix = getMsg(record);
var actionName = getAction(record.OpType,isZh);
-
+
if(record.OpType == "6" || record.OpType == "10" || record.OpType == "12" || record.OpType == "13"){
html += recordPrefix + actionName;
- html += " " + getIssueText(record) + ""
+ html += " " + getIssueText(record) + ""
}
else if(record.OpType == "7" || record.OpType == "11" || record.OpType == "14" || record.OpType == "15" || record.OpType == "22"
|| record.OpType == "23"){
html += recordPrefix + actionName;
- html += " " + getPRText(record) + ""
+ html += " " + getPRText(record) + ""
}
else if(record.OpType == "1"){
html += recordPrefix + actionName;
- html += " " + getRepoLink(record) + ""
+ html += " " +getRepotext(record) + ""
}
else if(record.OpType == "9" || record.OpType == "5"){
branch = "" + record.RefName + ""
actionName = actionName.replace("{branch}",branch);
html += recordPrefix + actionName;
- html += " " + getRepoLink(record) + ""
+ html += " " + getRepotext(record) + ""
}else if(record.OpType == "17"){
actionName = actionName.replace("{deleteBranchName}",record.RefName);
- var repoLink = "" + getRepoLink(record) + ""
+ var repoLink = "" + getRepotext(record) + ""
actionName = actionName.replace("{repoName}",repoLink);
html += recordPrefix + actionName;
}
else if(record.OpType == "2"){
actionName = actionName.replace("{oldRepoName}",record.Content);
html += recordPrefix + actionName;
- html += " " + getRepoLink(record) + ""
+ html += " " + getRepotext(record) + ""
}
else{
continue;
@@ -109,17 +108,8 @@ socket.onmessage = function (e) {
html += "";
html += "";
}
- /*
-
{{.Org.Description}}
{{end}} ++ {{if ne .CreatorID 0}} + {{$.i18n.Tr "home.contributor"}} : {{.Creator.Name}} + {{else}} + {{$.i18n.Tr "home.contributor"}}:{{.Owner.Name}} + {{end}} +
+{{.i18n.Tr "org.max_selectedPro"}}
++ {{$.i18n.Tr "repo.cloudbrain_task"}} + | +
+
+ {{.JobName}}
+
+ |
+
+ {{$.i18n.Tr "repo.modelarts.status"}} + | + +
+
+ {{.Status}}
+
+ |
+
+ {{$.i18n.Tr "repo.modelarts.train_job.start_time"}} + | + +
+
+ {{TimeSinceUnix1 .CreatedUnix}}
+
+ |
+
+ {{$.i18n.Tr "repo.modelarts.train_job.dura_time"}} + | + +
+
+ {{$.duration}}
+
+ |
+
+ 镜像 + | + +
+
+ {{.Image}}
+
+ |
+
+ 类型 + | + +
+
+ {{$.BenchmarkTypeName}}
+
+ |
+
+ 训练程序 + | + +
+
+ train.py
+
+ |
+
+ 测试程序 + | + +
+
+ test.py
+
+ |
+
+ {{$.i18n.Tr "repo.modelarts.train_job.description"}} + | + +
+
+ {{.Description}}
+
+ |
+
+ {{$.i18n.Tr "repo.modelarts.train_job.standard"}} + | + +
+
+ {{$.resource_spec}}
+
+ |
+
+ 创建者 + | + +
+
+ {{.User.Name}}
+
+ |
+
+ 子类型 + | + +
+
+ {{$.BenchmarkChildTypeName}}
+
+ |
+
你确认删除该任务么?此任务一旦删除不可恢复。
+