2014-02-14 23:16:54 +00:00
// Copyright 2014 The Gogs Authors. All rights reserved.
2017-08-26 13:57:41 +00:00
// Copyright 2017 The Gitea Authors. All rights reserved.
2014-02-14 23:16:54 +00:00
// Use of this source code is governed by a MIT-style
// license that can be found in the LICENSE file.
2014-02-14 14:20:57 +00:00
package models
import (
2019-12-15 09:51:28 +00:00
"context"
2014-03-10 00:06:29 +00:00
"errors"
2014-03-11 00:48:58 +00:00
"fmt"
2014-07-22 17:52:37 +00:00
"html/template"
2020-07-07 21:35:52 +00:00
"unicode/utf8"
2019-05-30 02:22:26 +00:00
// Needed for jpeg support
_ "image/jpeg"
2014-07-23 11:48:06 +00:00
"io/ioutil"
2020-07-26 20:31:28 +00:00
"net"
2019-01-30 21:04:19 +00:00
"net/url"
2014-02-14 14:20:57 +00:00
"os"
2014-03-30 02:18:36 +00:00
"path"
2014-02-14 14:20:57 +00:00
"path/filepath"
2014-06-03 03:17:21 +00:00
"sort"
2019-04-22 20:40:51 +00:00
"strconv"
2014-02-14 14:20:57 +00:00
"strings"
"time"
2021-04-08 22:25:57 +00:00
"code.gitea.io/gitea/modules/lfs"
2016-11-10 16:24:48 +00:00
"code.gitea.io/gitea/modules/log"
2017-09-16 17:17:57 +00:00
"code.gitea.io/gitea/modules/markup"
2016-12-22 18:12:23 +00:00
"code.gitea.io/gitea/modules/options"
2016-11-10 16:24:48 +00:00
"code.gitea.io/gitea/modules/setting"
2020-08-18 04:23:45 +00:00
"code.gitea.io/gitea/modules/storage"
2019-05-11 10:21:34 +00:00
api "code.gitea.io/gitea/modules/structs"
2019-08-15 14:46:21 +00:00
"code.gitea.io/gitea/modules/timeutil"
2019-11-10 21:33:47 +00:00
"code.gitea.io/gitea/modules/util"
2017-01-01 18:15:09 +00:00
2020-06-13 11:35:59 +00:00
"xorm.io/builder"
2014-02-14 14:20:57 +00:00
)
2014-03-11 05:32:36 +00:00
var (
2016-11-28 17:27:55 +00:00
// ErrMirrorNotExist mirror does not exist error
ErrMirrorNotExist = errors . New ( "Mirror does not exist" )
// ErrNameEmpty name is empty error
ErrNameEmpty = errors . New ( "Name is empty" )
2014-03-11 05:32:36 +00:00
)
2014-03-10 00:06:29 +00:00
var (
2016-11-28 17:27:55 +00:00
// Gitignores contains the gitiginore files
Gitignores [ ] string
// Licenses contains the license files
Licenses [ ] string
// Readmes contains the readme files
Readmes [ ] string
2019-12-07 02:13:19 +00:00
// LabelTemplates contains the label template files and the list of labels for each file
LabelTemplates map [ string ] string
2015-10-01 13:17:27 +00:00
2016-11-28 17:27:55 +00:00
// ItemsPerPage maximum items per page in forks, watchers and stars of a repo
2015-11-17 04:28:46 +00:00
ItemsPerPage = 40
2014-03-10 00:06:29 +00:00
)
2019-05-15 01:57:00 +00:00
// loadRepoConfig loads the repository config
func loadRepoConfig ( ) {
2015-08-28 08:44:04 +00:00
// Load .gitignore and license files and readme templates.
2016-08-30 02:02:49 +00:00
types := [ ] string { "gitignore" , "license" , "readme" , "label" }
typeFiles := make ( [ ] [ ] string , 4 )
2014-05-11 18:03:51 +00:00
for i , t := range types {
2016-12-22 18:12:23 +00:00
files , err := options . Dir ( t )
2014-07-26 04:24:27 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Fatal ( "Failed to get %s files: %v" , t , err )
2014-07-26 04:24:27 +00:00
}
2016-12-22 18:12:23 +00:00
customPath := path . Join ( setting . CustomPath , "options" , t )
2020-11-28 02:42:08 +00:00
isDir , err := util . IsDir ( customPath )
if err != nil {
log . Fatal ( "Failed to get custom %s files: %v" , t , err )
}
if isDir {
2020-12-21 23:40:57 +00:00
customFiles , err := util . StatDir ( customPath )
2014-05-11 18:03:51 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Fatal ( "Failed to get custom %s files: %v" , t , err )
2014-05-11 18:03:51 +00:00
}
for _ , f := range customFiles {
2020-12-25 09:59:32 +00:00
if ! util . IsStringInSlice ( f , files , true ) {
2014-05-11 18:03:51 +00:00
files = append ( files , f )
}
}
}
typeFiles [ i ] = files
}
2014-07-26 04:24:27 +00:00
Gitignores = typeFiles [ 0 ]
2014-05-11 18:03:51 +00:00
Licenses = typeFiles [ 1 ]
2015-08-28 08:44:04 +00:00
Readmes = typeFiles [ 2 ]
2019-12-07 02:13:19 +00:00
LabelTemplatesFiles := typeFiles [ 3 ]
2014-07-26 04:24:27 +00:00
sort . Strings ( Gitignores )
2014-06-03 03:17:21 +00:00
sort . Strings ( Licenses )
2015-08-28 08:44:04 +00:00
sort . Strings ( Readmes )
2019-12-07 02:13:19 +00:00
sort . Strings ( LabelTemplatesFiles )
// Load label templates
LabelTemplates = make ( map [ string ] string )
for _ , templateFile := range LabelTemplatesFiles {
labels , err := LoadLabelsFormatted ( templateFile )
if err != nil {
log . Error ( "Failed to load labels: %v" , err )
}
LabelTemplates [ templateFile ] = labels
}
2016-08-28 07:06:22 +00:00
// Filter out invalid names and promote preferred licenses.
sortedLicenses := make ( [ ] string , 0 , len ( Licenses ) )
for _ , name := range setting . Repository . PreferredLicenses {
2020-12-25 09:59:32 +00:00
if util . IsStringInSlice ( name , Licenses , true ) {
2016-08-28 07:06:22 +00:00
sortedLicenses = append ( sortedLicenses , name )
}
}
for _ , name := range Licenses {
2020-12-25 09:59:32 +00:00
if ! util . IsStringInSlice ( name , setting . Repository . PreferredLicenses , true ) {
2016-08-28 07:06:22 +00:00
sortedLicenses = append ( sortedLicenses , name )
}
}
Licenses = sortedLicenses
2014-03-21 05:48:10 +00:00
}
2014-03-17 15:56:50 +00:00
2016-11-28 17:27:55 +00:00
// NewRepoContext creates a new repository context
2014-03-21 05:48:10 +00:00
func NewRepoContext ( ) {
2019-05-15 01:57:00 +00:00
loadRepoConfig ( )
2020-01-17 07:34:37 +00:00
loadUnitConfig ( )
2014-08-23 15:58:56 +00:00
2016-03-23 07:16:53 +00:00
RemoveAllWithNotice ( "Clean up repository temporary data" , filepath . Join ( setting . AppDataPath , "tmp" ) )
2014-03-11 05:32:36 +00:00
}
2019-10-13 13:23:14 +00:00
// RepositoryStatus defines the status of repository
type RepositoryStatus int
// all kinds of RepositoryStatus
const (
2021-03-01 00:47:30 +00:00
RepositoryReady RepositoryStatus = iota // a normal repository
RepositoryBeingMigrated // repository is migrating
RepositoryPendingTransfer // repository pending in ownership transfer state
2019-10-13 13:23:14 +00:00
)
2020-09-19 16:44:55 +00:00
// TrustModelType defines the types of trust model for this repository
type TrustModelType int
// kinds of TrustModel
const (
DefaultTrustModel TrustModelType = iota // default trust model
CommitterTrustModel
CollaboratorTrustModel
CollaboratorCommitterTrustModel
)
// String converts a TrustModelType to a string
func ( t TrustModelType ) String ( ) string {
switch t {
case DefaultTrustModel :
return "default"
case CommitterTrustModel :
return "committer"
case CollaboratorTrustModel :
return "collaborator"
case CollaboratorCommitterTrustModel :
return "collaboratorcommitter"
}
return "default"
}
// ToTrustModel converts a string to a TrustModelType
func ToTrustModel ( model string ) TrustModelType {
switch strings . ToLower ( strings . TrimSpace ( model ) ) {
case "default" :
return DefaultTrustModel
case "collaborator" :
return CollaboratorTrustModel
case "committer" :
return CommitterTrustModel
case "collaboratorcommitter" :
return CollaboratorCommitterTrustModel
}
return DefaultTrustModel
}
2014-03-20 20:04:56 +00:00
// Repository represents a git repository.
type Repository struct {
2020-01-12 09:36:21 +00:00
ID int64 ` xorm:"pk autoincr" `
OwnerID int64 ` xorm:"UNIQUE(s) index" `
OwnerName string
2020-01-20 20:01:19 +00:00
Owner * User ` xorm:"-" `
LowerName string ` xorm:"UNIQUE(s) INDEX NOT NULL" `
Name string ` xorm:"INDEX NOT NULL" `
Description string ` xorm:"TEXT" `
Website string ` xorm:"VARCHAR(2048)" `
OriginalServiceType api . GitServiceType ` xorm:"index" `
OriginalURL string ` xorm:"VARCHAR(2048)" `
2019-10-14 06:10:42 +00:00
DefaultBranch string
2014-10-19 05:35:24 +00:00
2014-05-12 18:06:42 +00:00
NumWatches int
NumStars int
NumForks int
NumIssues int
NumClosedIssues int
NumOpenIssues int ` xorm:"-" `
2014-07-26 04:24:27 +00:00
NumPulls int
NumClosedPulls int
NumOpenPulls int ` xorm:"-" `
2014-05-12 18:06:42 +00:00
NumMilestones int ` xorm:"NOT NULL DEFAULT 0" `
NumClosedMilestones int ` xorm:"NOT NULL DEFAULT 0" `
NumOpenMilestones int ` xorm:"-" `
2020-08-17 03:07:38 +00:00
NumProjects int ` xorm:"NOT NULL DEFAULT 0" `
NumClosedProjects int ` xorm:"NOT NULL DEFAULT 0" `
NumOpenProjects int ` xorm:"-" `
2014-10-19 05:35:24 +00:00
2019-01-23 18:58:38 +00:00
IsPrivate bool ` xorm:"INDEX" `
IsEmpty bool ` xorm:"INDEX" `
IsArchived bool ` xorm:"INDEX" `
2019-10-13 13:23:14 +00:00
IsMirror bool ` xorm:"INDEX" `
* Mirror ` xorm:"-" `
Status RepositoryStatus ` xorm:"NOT NULL DEFAULT 0" `
2014-10-19 05:35:24 +00:00
2020-05-24 08:14:26 +00:00
RenderingMetas map [ string ] string ` xorm:"-" `
DocumentRenderingMetas map [ string ] string ` xorm:"-" `
Units [ ] * RepoUnit ` xorm:"-" `
PrimaryLanguage * LanguageStat ` xorm:"-" `
2015-12-05 02:30:33 +00:00
2019-02-10 19:27:19 +00:00
IsFork bool ` xorm:"INDEX NOT NULL DEFAULT false" `
ForkID int64 ` xorm:"INDEX" `
BaseRepo * Repository ` xorm:"-" `
2019-11-11 15:15:29 +00:00
IsTemplate bool ` xorm:"INDEX NOT NULL DEFAULT false" `
TemplateID int64 ` xorm:"INDEX" `
TemplateRepo * Repository ` xorm:"-" `
2019-02-10 19:27:19 +00:00
Size int64 ` xorm:"NOT NULL DEFAULT 0" `
2020-02-11 09:34:17 +00:00
CodeIndexerStatus * RepoIndexerStatus ` xorm:"-" `
StatsIndexerStatus * RepoIndexerStatus ` xorm:"-" `
2019-02-10 19:27:19 +00:00
IsFsckEnabled bool ` xorm:"NOT NULL DEFAULT true" `
CloseIssuesViaCommitInAnyBranch bool ` xorm:"NOT NULL DEFAULT false" `
Topics [ ] string ` xorm:"TEXT JSON" `
2014-10-19 05:35:24 +00:00
2020-09-19 16:44:55 +00:00
TrustModel TrustModelType
2019-05-30 02:22:26 +00:00
// Avatar: ID(10-20)-md5(32) - must fit into 64 symbols
Avatar string ` xorm:"VARCHAR(64)" `
2019-08-15 14:46:21 +00:00
CreatedUnix timeutil . TimeStamp ` xorm:"INDEX created" `
UpdatedUnix timeutil . TimeStamp ` xorm:"INDEX updated" `
2014-03-20 20:04:56 +00:00
}
2020-01-25 10:57:43 +00:00
// SanitizedOriginalURL returns a sanitized OriginalURL
func ( repo * Repository ) SanitizedOriginalURL ( ) string {
if repo . OriginalURL == "" {
return ""
}
return util . SanitizeURLCredentials ( repo . OriginalURL , false )
}
2019-04-22 20:40:51 +00:00
// ColorFormat returns a colored string to represent this repo
func ( repo * Repository ) ColorFormat ( s fmt . State ) {
log . ColorFprintf ( s , "%d:%s/%s" ,
log . NewColoredIDValue ( repo . ID ) ,
2020-07-02 14:09:09 +00:00
repo . OwnerName ,
2019-04-22 20:40:51 +00:00
repo . Name )
}
2021-02-18 15:39:04 +00:00
// IsBeingMigrated indicates that repository is being migrated
2019-10-13 13:23:14 +00:00
func ( repo * Repository ) IsBeingMigrated ( ) bool {
return repo . Status == RepositoryBeingMigrated
}
// IsBeingCreated indicates that repository is being migrated or forked
func ( repo * Repository ) IsBeingCreated ( ) bool {
return repo . IsBeingMigrated ( )
}
2017-10-01 16:52:35 +00:00
// AfterLoad is invoked from XORM after setting the values of all fields of this object.
func ( repo * Repository ) AfterLoad ( ) {
// FIXME: use models migration to solve all at once.
if len ( repo . DefaultBranch ) == 0 {
2020-09-25 04:09:23 +00:00
repo . DefaultBranch = setting . Repository . DefaultBranch
2015-08-20 12:18:49 +00:00
}
2017-10-01 16:52:35 +00:00
repo . NumOpenIssues = repo . NumIssues - repo . NumClosedIssues
repo . NumOpenPulls = repo . NumPulls - repo . NumClosedPulls
repo . NumOpenMilestones = repo . NumMilestones - repo . NumClosedMilestones
2020-08-17 03:07:38 +00:00
repo . NumOpenProjects = repo . NumProjects - repo . NumClosedProjects
2015-08-20 12:18:49 +00:00
}
2016-08-14 10:32:24 +00:00
// MustOwner always returns a valid *User object to avoid
// conceptually impossible error handling.
2017-01-05 00:50:34 +00:00
// It creates a fake object that contains error details
2016-08-14 10:32:24 +00:00
// when error occurs.
func ( repo * Repository ) MustOwner ( ) * User {
return repo . mustOwner ( x )
}
2016-11-28 17:27:55 +00:00
// FullName returns the repository full name
2016-08-14 10:32:24 +00:00
func ( repo * Repository ) FullName ( ) string {
2020-01-12 09:36:21 +00:00
return repo . OwnerName + "/" + repo . Name
2016-08-14 10:32:24 +00:00
}
2016-11-28 17:27:55 +00:00
// HTMLURL returns the repository HTML URL
2016-08-16 17:19:09 +00:00
func ( repo * Repository ) HTMLURL ( ) string {
2016-11-27 10:14:25 +00:00
return setting . AppURL + repo . FullName ( )
2016-08-14 10:32:24 +00:00
}
2020-05-20 12:47:24 +00:00
// CommitLink make link to by commit full ID
// note: won't check whether it's an right id
func ( repo * Repository ) CommitLink ( commitID string ) ( result string ) {
if commitID == "" || commitID == "0000000000000000000000000000000000000000" {
result = ""
} else {
result = repo . HTMLURL ( ) + "/commit/" + commitID
}
return
}
2017-03-03 14:35:42 +00:00
// APIURL returns the repository API URL
func ( repo * Repository ) APIURL ( ) string {
2021-02-19 21:36:43 +00:00
return setting . AppURL + "api/v1/repos/" + repo . FullName ( )
2017-03-03 14:35:42 +00:00
}
2017-10-26 01:37:33 +00:00
// GetCommitsCountCacheKey returns cache key used for commits count caching.
func ( repo * Repository ) GetCommitsCountCacheKey ( contextName string , isRef bool ) string {
var prefix string
if isRef {
prefix = "ref"
} else {
prefix = "commit"
}
return fmt . Sprintf ( "commits-count-%d-%s-%s" , repo . ID , prefix , contextName )
}
2017-02-04 15:53:46 +00:00
func ( repo * Repository ) getUnits ( e Engine ) ( err error ) {
if repo . Units != nil {
return nil
}
repo . Units , err = getUnitsByRepoID ( e , repo . ID )
2020-01-17 07:34:37 +00:00
log . Trace ( "repo.Units: %-+v" , repo . Units )
2017-02-04 15:53:46 +00:00
return err
}
2017-05-18 14:54:24 +00:00
// CheckUnitUser check whether user could visit the unit of this repository
2020-09-15 23:49:34 +00:00
func ( repo * Repository ) CheckUnitUser ( user * User , unitType UnitType ) bool {
return repo . checkUnitUser ( x , user , unitType )
2018-10-25 10:55:16 +00:00
}
2020-09-15 23:49:34 +00:00
func ( repo * Repository ) checkUnitUser ( e Engine , user * User , unitType UnitType ) bool {
if user . IsAdmin {
2018-11-28 11:26:14 +00:00
return true
2017-06-15 02:50:12 +00:00
}
2018-11-28 11:26:14 +00:00
perm , err := getUserRepoPermission ( e , repo , user )
if err != nil {
2020-09-15 23:49:34 +00:00
log . Error ( "getUserRepoPermission(): %v" , err )
2018-11-28 11:26:14 +00:00
return false
2017-05-18 14:54:24 +00:00
}
2018-11-28 11:26:14 +00:00
return perm . CanRead ( unitType )
2017-02-04 15:53:46 +00:00
}
2017-08-02 08:46:54 +00:00
// UnitEnabled if this repository has the given unit enabled
func ( repo * Repository ) UnitEnabled ( tp UnitType ) bool {
2017-10-14 23:17:39 +00:00
if err := repo . getUnits ( x ) ; err != nil {
log . Warn ( "Error loading repository (ID: %d) units: %s" , repo . ID , err . Error ( ) )
}
2017-02-04 15:53:46 +00:00
for _ , unit := range repo . Units {
if unit . Type == tp {
return true
}
}
return false
}
2019-05-30 15:09:05 +00:00
// ErrUnitTypeNotExist represents a "UnitTypeNotExist" kind of error.
type ErrUnitTypeNotExist struct {
UT UnitType
}
// IsErrUnitTypeNotExist checks if an error is a ErrUnitNotExist.
func IsErrUnitTypeNotExist ( err error ) bool {
_ , ok := err . ( ErrUnitTypeNotExist )
return ok
}
func ( err ErrUnitTypeNotExist ) Error ( ) string {
return fmt . Sprintf ( "Unit type does not exist: %s" , err . UT . String ( ) )
}
2017-02-04 15:53:46 +00:00
// MustGetUnit always returns a RepoUnit object
func ( repo * Repository ) MustGetUnit ( tp UnitType ) * RepoUnit {
ru , err := repo . GetUnit ( tp )
if err == nil {
return ru
}
if tp == UnitTypeExternalWiki {
return & RepoUnit {
Type : tp ,
Config : new ( ExternalWikiConfig ) ,
}
} else if tp == UnitTypeExternalTracker {
return & RepoUnit {
Type : tp ,
Config : new ( ExternalTrackerConfig ) ,
}
2018-01-05 18:56:50 +00:00
} else if tp == UnitTypePullRequests {
return & RepoUnit {
Type : tp ,
Config : new ( PullRequestsConfig ) ,
}
2019-05-30 15:09:05 +00:00
} else if tp == UnitTypeIssues {
return & RepoUnit {
Type : tp ,
Config : new ( IssuesConfig ) ,
}
2017-02-04 15:53:46 +00:00
}
return & RepoUnit {
Type : tp ,
Config : new ( UnitConfig ) ,
}
}
// GetUnit returns a RepoUnit object
func ( repo * Repository ) GetUnit ( tp UnitType ) ( * RepoUnit , error ) {
2018-10-27 14:45:24 +00:00
return repo . getUnit ( x , tp )
}
func ( repo * Repository ) getUnit ( e Engine , tp UnitType ) ( * RepoUnit , error ) {
if err := repo . getUnits ( e ) ; err != nil {
2017-02-04 15:53:46 +00:00
return nil , err
}
for _ , unit := range repo . Units {
if unit . Type == tp {
return unit , nil
}
}
2019-05-30 15:09:05 +00:00
return nil , ErrUnitTypeNotExist { tp }
2017-02-04 15:53:46 +00:00
}
2015-02-13 05:58:46 +00:00
func ( repo * Repository ) getOwner ( e Engine ) ( err error ) {
2015-10-24 07:36:47 +00:00
if repo . Owner != nil {
return nil
2014-10-09 23:01:22 +00:00
}
2015-10-24 07:36:47 +00:00
repo . Owner , err = getUserByID ( e , repo . OwnerID )
2014-05-08 12:18:03 +00:00
return err
}
2016-11-28 17:27:55 +00:00
// GetOwner returns the repository owner
2015-08-17 20:03:11 +00:00
func ( repo * Repository ) GetOwner ( ) error {
2015-02-13 05:58:46 +00:00
return repo . getOwner ( x )
}
2015-11-26 22:33:45 +00:00
func ( repo * Repository ) mustOwner ( e Engine ) * User {
if err := repo . getOwner ( e ) ; err != nil {
return & User {
Name : "error" ,
FullName : err . Error ( ) ,
}
}
return repo . Owner
}
2019-04-12 05:53:34 +00:00
// ComposeMetas composes a map of metas for properly rendering issue links and external issue trackers.
2015-12-05 02:30:33 +00:00
func ( repo * Repository ) ComposeMetas ( ) map [ string ] string {
2020-05-24 08:14:26 +00:00
if len ( repo . RenderingMetas ) == 0 {
2019-11-24 16:34:44 +00:00
metas := map [ string ] string {
2020-01-12 09:36:21 +00:00
"user" : repo . OwnerName ,
2019-08-14 08:04:55 +00:00
"repo" : repo . Name ,
"repoPath" : repo . RepoPath ( ) ,
2020-05-24 08:14:26 +00:00
"mode" : "comment" ,
2015-12-05 02:30:33 +00:00
}
2019-11-24 16:34:44 +00:00
2019-04-12 05:53:34 +00:00
unit , err := repo . GetUnit ( UnitTypeExternalTracker )
2019-11-24 16:34:44 +00:00
if err == nil {
metas [ "format" ] = unit . ExternalTrackerConfig ( ) . ExternalTrackerFormat
switch unit . ExternalTrackerConfig ( ) . ExternalTrackerStyle {
case markup . IssueNameStyleAlphanumeric :
metas [ "style" ] = markup . IssueNameStyleAlphanumeric
default :
metas [ "style" ] = markup . IssueNameStyleNumeric
}
2019-04-12 05:53:34 +00:00
}
2020-01-12 09:36:21 +00:00
repo . MustOwner ( )
2019-11-24 16:34:44 +00:00
if repo . Owner . IsOrganization ( ) {
teams := make ( [ ] string , 0 , 5 )
_ = x . Table ( "team_repo" ) .
Join ( "INNER" , "team" , "team.id = team_repo.team_id" ) .
Where ( "team_repo.repo_id = ?" , repo . ID ) .
Select ( "team.lower_name" ) .
OrderBy ( "team.lower_name" ) .
Find ( & teams )
metas [ "teams" ] = "," + strings . Join ( teams , "," ) + ","
2020-01-12 09:36:21 +00:00
metas [ "org" ] = strings . ToLower ( repo . OwnerName )
2016-04-22 22:28:08 +00:00
}
2019-11-24 16:34:44 +00:00
repo . RenderingMetas = metas
2015-12-05 02:30:33 +00:00
}
2019-11-24 16:34:44 +00:00
return repo . RenderingMetas
2015-12-05 02:30:33 +00:00
}
2020-05-24 08:14:26 +00:00
// ComposeDocumentMetas composes a map of metas for properly rendering documents
func ( repo * Repository ) ComposeDocumentMetas ( ) map [ string ] string {
if len ( repo . DocumentRenderingMetas ) == 0 {
metas := map [ string ] string { }
for k , v := range repo . ComposeMetas ( ) {
metas [ k ] = v
}
metas [ "mode" ] = "document"
repo . DocumentRenderingMetas = metas
}
return repo . DocumentRenderingMetas
}
2016-03-04 04:24:22 +00:00
// DeleteWiki removes the actual and local copy of repository wiki.
2017-02-24 15:19:13 +00:00
func ( repo * Repository ) DeleteWiki ( ) error {
return repo . deleteWiki ( x )
}
func ( repo * Repository ) deleteWiki ( e Engine ) error {
2019-05-11 15:29:17 +00:00
wikiPaths := [ ] string { repo . WikiPath ( ) }
2016-03-03 20:38:25 +00:00
for _ , wikiPath := range wikiPaths {
2017-02-24 15:19:13 +00:00
removeAllWithNotice ( e , "Delete repository wiki" , wikiPath )
2016-03-03 20:38:25 +00:00
}
2017-02-04 15:53:46 +00:00
2017-02-24 15:19:13 +00:00
_ , err := e . Where ( "repo_id = ?" , repo . ID ) . And ( "type = ?" , UnitTypeWiki ) . Delete ( new ( RepoUnit ) )
return err
2016-03-03 20:38:25 +00:00
}
2016-08-16 01:40:32 +00:00
func ( repo * Repository ) getAssignees ( e Engine ) ( _ [ ] * User , err error ) {
if err = repo . getOwner ( e ) ; err != nil {
2015-08-10 13:47:23 +00:00
return nil , err
}
accesses := make ( [ ] * Access , 0 , 10 )
2016-11-10 15:16:32 +00:00
if err = e .
Where ( "repo_id = ? AND mode >= ?" , repo . ID , AccessModeWrite ) .
Find ( & accesses ) ; err != nil {
2015-08-10 13:47:23 +00:00
return nil , err
}
2016-08-16 01:40:32 +00:00
// Leave a seat for owner itself to append later, but if owner is an organization
// and just waste 1 unit is cheaper than re-allocate memory once.
2016-08-16 01:48:20 +00:00
users := make ( [ ] * User , 0 , len ( accesses ) + 1 )
if len ( accesses ) > 0 {
userIDs := make ( [ ] int64 , len ( accesses ) )
for i := 0 ; i < len ( accesses ) ; i ++ {
userIDs [ i ] = accesses [ i ] . UserID
}
if err = e . In ( "id" , userIDs ) . Find ( & users ) ; err != nil {
return nil , err
}
2016-08-16 01:40:32 +00:00
}
2015-08-10 13:47:23 +00:00
if ! repo . Owner . IsOrganization ( ) {
users = append ( users , repo . Owner )
}
return users , nil
}
2016-08-16 01:40:32 +00:00
// GetAssignees returns all users that have write access and can be assigned to issues
// of the repository,
func ( repo * Repository ) GetAssignees ( ) ( _ [ ] * User , err error ) {
return repo . getAssignees ( x )
}
2020-10-12 19:55:13 +00:00
func ( repo * Repository ) getReviewers ( e Engine , doerID , posterID int64 ) ( [ ] * User , error ) {
// Get the owner of the repository - this often already pre-cached and if so saves complexity for the following queries
if err := repo . getOwner ( e ) ; err != nil {
2020-04-06 16:33:34 +00:00
return nil , err
}
2020-10-12 19:55:13 +00:00
var users [ ] * User
2020-04-06 16:33:34 +00:00
2020-10-12 19:55:13 +00:00
if repo . IsPrivate ||
( repo . Owner . IsOrganization ( ) && repo . Owner . Visibility == api . VisibleTypePrivate ) {
// This a private repository:
// Anyone who can read the repository is a requestable reviewer
if err := e .
SQL ( "SELECT * FROM `user` WHERE id in (SELECT user_id FROM `access` WHERE repo_id = ? AND mode >= ? AND user_id NOT IN ( ?, ?)) ORDER BY name" ,
repo . ID , AccessModeRead ,
doerID , posterID ) .
Find ( & users ) ; err != nil {
return nil , err
}
2020-04-06 16:33:34 +00:00
2020-10-12 19:55:13 +00:00
return users , nil
}
2020-04-06 16:33:34 +00:00
2020-10-12 19:55:13 +00:00
// This is a "public" repository:
2021-02-28 18:24:00 +00:00
// Any user that has read access, is a watcher or organization member can be requested to review
2020-10-12 19:55:13 +00:00
if err := e .
SQL ( "SELECT * FROM `user` WHERE id IN ( " +
2021-02-28 18:24:00 +00:00
"SELECT user_id FROM `access` WHERE repo_id = ? AND mode >= ? " +
2020-10-12 19:55:13 +00:00
"UNION " +
2021-02-28 18:24:00 +00:00
"SELECT user_id FROM `watch` WHERE repo_id = ? AND mode IN (?, ?) " +
"UNION " +
"SELECT uid AS user_id FROM `org_user` WHERE org_id = ? " +
") AND id NOT IN (?, ?) ORDER BY name" ,
repo . ID , AccessModeRead ,
repo . ID , RepoWatchModeNormal , RepoWatchModeAuto ,
repo . OwnerID ,
doerID , posterID ) .
2020-04-06 16:33:34 +00:00
Find ( & users ) ; err != nil {
return nil , err
}
return users , nil
}
2020-10-12 19:55:13 +00:00
// GetReviewers get all users can be requested to review:
// * for private repositories this returns all users that have read access or higher to the repository.
2021-02-28 18:24:00 +00:00
// * for public repositories this returns all users that have read access or higher to the repository,
// all repo watchers and all organization members.
2021-02-18 15:39:04 +00:00
// TODO: may be we should have a busy choice for users to block review request to them.
2020-10-12 19:55:13 +00:00
func ( repo * Repository ) GetReviewers ( doerID , posterID int64 ) ( [ ] * User , error ) {
return repo . getReviewers ( x , doerID , posterID )
}
// GetReviewerTeams get all teams can be requested to review
func ( repo * Repository ) GetReviewerTeams ( ) ( [ ] * Team , error ) {
if err := repo . GetOwner ( ) ; err != nil {
2020-04-06 16:33:34 +00:00
return nil , err
}
2020-10-12 19:55:13 +00:00
if ! repo . Owner . IsOrganization ( ) {
return nil , nil
}
2020-04-06 16:33:34 +00:00
2020-10-12 19:55:13 +00:00
teams , err := GetTeamsWithAccessToRepo ( repo . OwnerID , repo . ID , AccessModeRead )
if err != nil {
return nil , err
2020-04-06 16:33:34 +00:00
}
2020-10-12 19:55:13 +00:00
return teams , err
2020-04-06 16:33:34 +00:00
}
2015-08-10 13:47:23 +00:00
// GetMilestoneByID returns the milestone belongs to repository by given ID.
func ( repo * Repository ) GetMilestoneByID ( milestoneID int64 ) ( * Milestone , error ) {
2016-08-24 23:05:56 +00:00
return GetMilestoneByRepoID ( repo . ID , milestoneID )
2015-08-10 13:47:23 +00:00
}
2015-08-25 14:58:34 +00:00
// IssueStats returns number of open and closed repository issues by given filter mode.
2015-09-02 20:18:09 +00:00
func ( repo * Repository ) IssueStats ( uid int64 , filterMode int , isPull bool ) ( int64 , int64 ) {
return GetRepoIssueStats ( repo . ID , uid , filterMode , isPull )
2015-08-25 14:58:34 +00:00
}
2016-11-28 17:27:55 +00:00
// GetMirror sets the repository mirror, returns an error upon failure
2014-08-11 03:11:18 +00:00
func ( repo * Repository ) GetMirror ( ) ( err error ) {
2016-08-30 23:18:33 +00:00
repo . Mirror , err = GetMirrorByRepoID ( repo . ID )
2014-08-11 03:11:18 +00:00
return err
}
2018-01-05 10:56:52 +00:00
// GetBaseRepo populates repo.BaseRepo for a fork repository and
// returns an error on failure (NOTE: no error is returned for
// non-fork repositories, and BaseRepo will be left untouched)
2015-08-08 14:43:14 +00:00
func ( repo * Repository ) GetBaseRepo ( ) ( err error ) {
2018-10-19 16:36:42 +00:00
return repo . getBaseRepo ( x )
}
func ( repo * Repository ) getBaseRepo ( e Engine ) ( err error ) {
2014-10-19 05:35:24 +00:00
if ! repo . IsFork {
return nil
}
2018-10-19 16:36:42 +00:00
repo . BaseRepo , err = getRepositoryByID ( e , repo . ForkID )
2014-10-19 05:35:24 +00:00
return err
}
2019-11-11 15:15:29 +00:00
// IsGenerated returns whether _this_ repository was generated from a template
func ( repo * Repository ) IsGenerated ( ) bool {
return repo . TemplateID != 0
}
// GetTemplateRepo populates repo.TemplateRepo for a generated repository and
// returns an error on failure (NOTE: no error is returned for
// non-generated repositories, and TemplateRepo will be left untouched)
func ( repo * Repository ) GetTemplateRepo ( ) ( err error ) {
return repo . getTemplateRepo ( x )
}
func ( repo * Repository ) getTemplateRepo ( e Engine ) ( err error ) {
if ! repo . IsGenerated ( ) {
return nil
}
repo . TemplateRepo , err = getRepositoryByID ( e , repo . TemplateID )
return err
}
2016-11-28 17:27:55 +00:00
// RepoPath returns the repository path
2015-11-26 22:33:45 +00:00
func ( repo * Repository ) RepoPath ( ) string {
2020-01-12 09:36:21 +00:00
return RepoPath ( repo . OwnerName , repo . Name )
2015-09-03 12:09:08 +00:00
}
2017-12-03 05:29:41 +00:00
// GitConfigPath returns the path to a repository's git config/ directory
func GitConfigPath ( repoPath string ) string {
return filepath . Join ( repoPath , "config" )
}
2016-11-28 17:27:55 +00:00
// GitConfigPath returns the repository git config path
2015-12-09 01:06:12 +00:00
func ( repo * Repository ) GitConfigPath ( ) string {
2017-12-03 05:29:41 +00:00
return GitConfigPath ( repo . RepoPath ( ) )
2015-12-09 01:06:12 +00:00
}
2016-11-28 17:27:55 +00:00
// RelLink returns the repository relative link
2016-08-17 06:06:38 +00:00
func ( repo * Repository ) RelLink ( ) string {
return "/" + repo . FullName ( )
2014-10-04 17:19:14 +00:00
}
2016-11-28 17:27:55 +00:00
// Link returns the repository link
2016-08-17 06:06:38 +00:00
func ( repo * Repository ) Link ( ) string {
2016-11-27 10:14:25 +00:00
return setting . AppSubURL + "/" + repo . FullName ( )
2016-03-04 19:50:34 +00:00
}
2016-11-28 17:27:55 +00:00
// ComposeCompareURL returns the repository comparison URL
2015-12-10 01:46:05 +00:00
func ( repo * Repository ) ComposeCompareURL ( oldCommitID , newCommitID string ) string {
2020-01-12 09:36:21 +00:00
return fmt . Sprintf ( "%s/compare/%s...%s" , repo . FullName ( ) , oldCommitID , newCommitID )
2015-12-10 01:46:05 +00:00
}
2017-02-21 15:02:10 +00:00
// UpdateDefaultBranch updates the default branch
func ( repo * Repository ) UpdateDefaultBranch ( ) error {
_ , err := x . ID ( repo . ID ) . Cols ( "default_branch" ) . Update ( repo )
return err
}
2016-11-28 17:27:55 +00:00
// IsOwnedBy returns true when user owns this repository
2015-08-13 18:43:40 +00:00
func ( repo * Repository ) IsOwnedBy ( userID int64 ) bool {
return repo . OwnerID == userID
2014-10-13 19:23:30 +00:00
}
2017-05-26 05:08:13 +00:00
func ( repo * Repository ) updateSize ( e Engine ) error {
2020-01-12 09:36:21 +00:00
size , err := util . GetDirectorySize ( repo . RepoPath ( ) )
2017-04-11 13:30:15 +00:00
if err != nil {
2020-01-12 12:11:17 +00:00
return fmt . Errorf ( "updateSize: %v" , err )
2017-04-11 13:30:15 +00:00
}
2021-03-28 03:56:28 +00:00
lfsSize , err := e . Where ( "repository_id = ?" , repo . ID ) . SumInt ( new ( LFSMetaObject ) , "size" )
2020-05-31 04:51:19 +00:00
if err != nil {
return fmt . Errorf ( "updateSize: GetLFSMetaObjects: %v" , err )
}
2021-03-28 03:56:28 +00:00
repo . Size = size + lfsSize
2017-10-05 04:43:04 +00:00
_ , err = e . ID ( repo . ID ) . Cols ( "size" ) . Update ( repo )
2017-04-11 13:30:15 +00:00
return err
}
2019-11-10 21:33:47 +00:00
// UpdateSize updates the repository size, calculating it using util.GetDirectorySize
2020-01-12 12:11:17 +00:00
func ( repo * Repository ) UpdateSize ( ctx DBContext ) error {
return repo . updateSize ( ctx . e )
2017-05-26 05:08:13 +00:00
}
2017-10-15 15:06:07 +00:00
// CanUserFork returns true if specified user can fork repository.
func ( repo * Repository ) CanUserFork ( user * User ) ( bool , error ) {
if user == nil {
return false , nil
}
if repo . OwnerID != user . ID && ! user . HasForkedRepo ( repo . ID ) {
return true , nil
}
if err := user . GetOwnedOrganizations ( ) ; err != nil {
return false , err
}
for _ , org := range user . OwnedOrgs {
if repo . OwnerID != org . ID && ! org . HasForkedRepo ( repo . ID ) {
return true , nil
}
}
return false , nil
}
2019-10-26 06:54:11 +00:00
// CanUserDelete returns true if user could delete the repository
func ( repo * Repository ) CanUserDelete ( user * User ) ( bool , error ) {
if user . IsAdmin || user . ID == repo . OwnerID {
return true , nil
}
if err := repo . GetOwner ( ) ; err != nil {
return false , err
}
if repo . Owner . IsOrganization ( ) {
isOwner , err := repo . Owner . IsOwnedBy ( user . ID )
if err != nil {
return false , err
} else if isOwner {
return true , nil
}
}
return false , nil
}
2016-02-19 19:33:06 +00:00
// CanEnablePulls returns true if repository meets the requirements of accepting pulls.
func ( repo * Repository ) CanEnablePulls ( ) bool {
2019-01-18 00:01:04 +00:00
return ! repo . IsMirror && ! repo . IsEmpty
2016-02-19 19:33:06 +00:00
}
2016-11-28 17:27:55 +00:00
// AllowsPulls returns true if repository meets the requirements of accepting pulls and has them enabled.
2016-02-19 19:33:06 +00:00
func ( repo * Repository ) AllowsPulls ( ) bool {
2017-08-02 08:46:54 +00:00
return repo . CanEnablePulls ( ) && repo . UnitEnabled ( UnitTypePullRequests )
2015-09-05 18:31:52 +00:00
}
2016-08-28 11:56:41 +00:00
// CanEnableEditor returns true if repository meets the requirements of web editor.
func ( repo * Repository ) CanEnableEditor ( ) bool {
return ! repo . IsMirror
}
2019-10-08 19:18:17 +00:00
// GetReaders returns all users that have explicit read access or higher to the repository.
func ( repo * Repository ) GetReaders ( ) ( _ [ ] * User , err error ) {
return repo . getUsersWithAccessMode ( x , AccessModeRead )
}
2017-09-14 08:16:22 +00:00
// GetWriters returns all users that have write access to the repository.
func ( repo * Repository ) GetWriters ( ) ( _ [ ] * User , err error ) {
return repo . getUsersWithAccessMode ( x , AccessModeWrite )
}
2019-10-08 19:18:17 +00:00
// IsReader returns true if user has explicit read access or higher to the repository.
func ( repo * Repository ) IsReader ( userID int64 ) ( bool , error ) {
if repo . OwnerID == userID {
return true , nil
}
return x . Where ( "repo_id = ? AND user_id = ? AND mode >= ?" , repo . ID , userID , AccessModeRead ) . Get ( & Access { } )
}
2017-09-14 08:16:22 +00:00
// getUsersWithAccessMode returns users that have at least given access mode to the repository.
func ( repo * Repository ) getUsersWithAccessMode ( e Engine , mode AccessMode ) ( _ [ ] * User , err error ) {
if err = repo . getOwner ( e ) ; err != nil {
return nil , err
}
accesses := make ( [ ] * Access , 0 , 10 )
if err = e . Where ( "repo_id = ? AND mode >= ?" , repo . ID , mode ) . Find ( & accesses ) ; err != nil {
return nil , err
}
// Leave a seat for owner itself to append later, but if owner is an organization
// and just waste 1 unit is cheaper than re-allocate memory once.
users := make ( [ ] * User , 0 , len ( accesses ) + 1 )
if len ( accesses ) > 0 {
userIDs := make ( [ ] int64 , len ( accesses ) )
for i := 0 ; i < len ( accesses ) ; i ++ {
userIDs [ i ] = accesses [ i ] . UserID
}
if err = e . In ( "id" , userIDs ) . Find ( & users ) ; err != nil {
return nil , err
}
}
if ! repo . Owner . IsOrganization ( ) {
users = append ( users , repo . Owner )
}
return users , nil
}
2016-11-28 17:27:55 +00:00
// DescriptionHTML does special handles to description and return HTML string.
func ( repo * Repository ) DescriptionHTML ( ) template . HTML {
2019-03-12 02:23:34 +00:00
desc , err := markup . RenderDescriptionHTML ( [ ] byte ( repo . Description ) , repo . HTMLURL ( ) , repo . ComposeMetas ( ) )
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Failed to render description for %s (ID: %d): %v" , repo . Name , repo . ID , err )
2019-03-12 02:23:34 +00:00
return template . HTML ( markup . Sanitize ( repo . Description ) )
2014-07-22 18:08:04 +00:00
}
2019-03-12 02:23:34 +00:00
return template . HTML ( markup . Sanitize ( string ( desc ) ) )
2014-07-22 17:52:37 +00:00
}
2021-03-01 00:47:30 +00:00
// ReadBy sets repo to be visited by given user.
func ( repo * Repository ) ReadBy ( userID int64 ) error {
return setRepoNotificationStatusReadIfUnread ( x , userID , repo . ID )
}
2015-08-08 09:10:34 +00:00
func isRepositoryExist ( e Engine , u * User , repoName string ) ( bool , error ) {
has , err := e . Get ( & Repository {
2016-07-23 17:08:22 +00:00
OwnerID : u . ID ,
2015-02-24 05:27:22 +00:00
LowerName : strings . ToLower ( repoName ) ,
} )
2020-11-28 02:42:08 +00:00
if err != nil {
return false , err
}
isDir , err := util . IsDir ( RepoPath ( u . Name , repoName ) )
return has && isDir , err
2014-02-14 14:20:57 +00:00
}
2015-08-08 09:10:34 +00:00
// 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 )
}
2014-12-13 21:46:00 +00:00
// CloneLink represents different types of clone URLs of repository.
type CloneLink struct {
SSH string
HTTPS string
Git string
}
2016-08-07 21:29:16 +00:00
// ComposeHTTPSCloneURL returns HTTPS clone URL based on given owner and repository name.
func ComposeHTTPSCloneURL ( owner , repo string ) string {
2019-03-18 14:00:23 +00:00
return fmt . Sprintf ( "%s%s/%s.git" , setting . AppURL , url . PathEscape ( owner ) , url . PathEscape ( repo ) )
2016-08-07 21:29:16 +00:00
}
2020-01-12 09:36:21 +00:00
func ( repo * Repository ) cloneLink ( isWiki bool ) * CloneLink {
2015-12-01 01:45:55 +00:00
repoName := repo . Name
if isWiki {
repoName += ".wiki"
2014-12-13 21:46:00 +00:00
}
2015-04-18 10:21:07 +00:00
2017-10-14 15:51:00 +00:00
sshUser := setting . RunUser
if setting . SSH . StartBuiltinServer {
sshUser = setting . SSH . BuiltinServerUser
}
2015-12-01 01:45:55 +00:00
cl := new ( CloneLink )
2020-07-26 20:31:28 +00:00
// if we have a ipv6 literal we need to put brackets around it
// for the git cloning to work.
sshDomain := setting . SSH . Domain
ip := net . ParseIP ( setting . SSH . Domain )
if ip != nil && ip . To4 ( ) == nil {
sshDomain = "[" + setting . SSH . Domain + "]"
}
2016-02-28 01:48:39 +00:00
if setting . SSH . Port != 22 {
2020-07-26 20:31:28 +00:00
cl . SSH = fmt . Sprintf ( "ssh://%s@%s/%s/%s.git" , sshUser , net . JoinHostPort ( setting . SSH . Domain , strconv . Itoa ( setting . SSH . Port ) ) , repo . OwnerName , repoName )
2017-08-26 13:57:41 +00:00
} else if setting . Repository . UseCompatSSHURI {
2020-07-26 20:31:28 +00:00
cl . SSH = fmt . Sprintf ( "ssh://%s@%s/%s/%s.git" , sshUser , sshDomain , repo . OwnerName , repoName )
2014-12-13 21:46:00 +00:00
} else {
2020-07-26 20:31:28 +00:00
cl . SSH = fmt . Sprintf ( "%s@%s:%s/%s.git" , sshUser , sshDomain , repo . OwnerName , repoName )
2014-12-13 21:46:00 +00:00
}
2020-01-12 09:36:21 +00:00
cl . HTTPS = ComposeHTTPSCloneURL ( repo . OwnerName , repoName )
2015-12-01 01:45:55 +00:00
return cl
}
// CloneLink returns clone URLs of repository.
func ( repo * Repository ) CloneLink ( ) ( cl * CloneLink ) {
2020-01-12 09:36:21 +00:00
return repo . cloneLink ( false )
2014-12-13 21:46:00 +00:00
}
2019-10-13 13:23:14 +00:00
// CheckCreateRepository check if could created a repository
2020-09-25 04:09:23 +00:00
func CheckCreateRepository ( doer , u * User , name string , overwriteOrAdopt bool ) error {
2019-10-13 13:23:14 +00:00
if ! doer . CanCreateRepo ( ) {
return ErrReachLimitOfRepo { u . MaxRepoCreation }
}
if err := IsUsableRepoName ( name ) ; err != nil {
return err
}
has , err := isRepositoryExist ( x , u , name )
2014-04-13 00:35:35 +00:00
if err != nil {
2019-10-13 13:23:14 +00:00
return fmt . Errorf ( "IsRepositoryExist: %v" , err )
} else if has {
return ErrRepoAlreadyExist { u . Name , name }
2014-04-13 00:35:35 +00:00
}
2020-09-25 04:09:23 +00:00
2020-11-28 02:42:08 +00:00
isExist , err := util . IsExist ( RepoPath ( u . Name , name ) )
if err != nil {
log . Error ( "Unable to check if %s exists. Error: %v" , RepoPath ( u . Name , name ) , err )
return err
}
if ! overwriteOrAdopt && isExist {
2020-09-25 04:09:23 +00:00
return ErrRepoFilesAlreadyExist { u . Name , name }
}
2019-10-13 13:23:14 +00:00
return nil
}
2014-04-13 00:35:35 +00:00
2016-11-28 17:27:55 +00:00
// CreateRepoOptions contains the create repository options
2015-08-28 10:33:09 +00:00
type CreateRepoOptions struct {
2020-01-10 15:35:17 +00:00
Name string
Description string
OriginalURL string
2020-01-20 20:01:19 +00:00
GitServiceType api . GitServiceType
2020-01-10 15:35:17 +00:00
Gitignores string
IssueLabels string
License string
Readme string
2020-03-26 19:14:51 +00:00
DefaultBranch string
2020-01-10 15:35:17 +00:00
IsPrivate bool
IsMirror bool
2020-09-25 05:18:37 +00:00
IsTemplate bool
2020-01-10 15:35:17 +00:00
AutoInit bool
Status RepositoryStatus
2020-09-19 16:44:55 +00:00
TrustModel TrustModelType
2021-01-02 23:47:47 +00:00
MirrorInterval string
2015-08-28 10:33:09 +00:00
}
2020-01-12 12:11:17 +00:00
// GetRepoInitFile returns repository init files
func GetRepoInitFile ( tp , name string ) ( [ ] byte , error ) {
2018-05-01 01:46:04 +00:00
cleanedName := strings . TrimLeft ( path . Clean ( "/" + name ) , "/" )
2016-12-22 18:12:23 +00:00
relPath := path . Join ( "options" , tp , cleanedName )
2015-08-28 10:33:09 +00:00
// Use custom file when available.
customPath := path . Join ( setting . CustomPath , relPath )
2020-11-28 02:42:08 +00:00
isFile , err := util . IsFile ( customPath )
if err != nil {
log . Error ( "Unable to check if %s is a file. Error: %v" , customPath , err )
}
if isFile {
2015-08-28 10:33:09 +00:00
return ioutil . ReadFile ( customPath )
}
2016-12-22 18:12:23 +00:00
switch tp {
case "readme" :
return options . Readme ( cleanedName )
case "gitignore" :
return options . Gitignore ( cleanedName )
case "license" :
return options . License ( cleanedName )
2016-12-23 07:18:05 +00:00
case "label" :
return options . Labels ( cleanedName )
2016-12-22 18:12:23 +00:00
default :
return [ ] byte { } , fmt . Errorf ( "Invalid init file type" )
}
2015-08-28 10:33:09 +00:00
}
2016-07-23 10:58:18 +00:00
var (
reservedRepoNames = [ ] string { "." , ".." }
reservedRepoPatterns = [ ] string { "*.git" , "*.wiki" }
)
2016-11-28 17:27:55 +00:00
// IsUsableRepoName returns true when repository is usable
2016-07-23 10:58:18 +00:00
func IsUsableRepoName ( name string ) error {
2020-09-25 04:09:23 +00:00
if alphaDashDotPattern . MatchString ( name ) {
// Note: usually this error is normally caught up earlier in the UI
return ErrNameCharsNotAllowed { Name : name }
}
2016-07-23 10:58:18 +00:00
return isUsableName ( reservedRepoNames , reservedRepoPatterns , name )
}
2020-01-12 12:11:17 +00:00
// CreateRepository creates a repository for the user/organization.
2020-09-25 04:09:23 +00:00
func CreateRepository ( ctx DBContext , doer , u * User , repo * Repository , overwriteOrAdopt bool ) ( err error ) {
2016-07-23 10:58:18 +00:00
if err = IsUsableRepoName ( repo . Name ) ; err != nil {
2015-08-08 09:10:34 +00:00
return err
2014-06-19 05:08:03 +00:00
}
2020-01-12 12:11:17 +00:00
has , err := isRepositoryExist ( ctx . e , u , repo . Name )
2015-03-26 21:11:47 +00:00
if err != nil {
2015-08-08 09:10:34 +00:00
return fmt . Errorf ( "IsRepositoryExist: %v" , err )
2015-03-26 21:11:47 +00:00
} else if has {
2015-08-08 09:10:34 +00:00
return ErrRepoAlreadyExist { u . Name , repo . Name }
2014-06-19 05:08:03 +00:00
}
2020-09-25 04:09:23 +00:00
repoPath := RepoPath ( u . Name , repo . Name )
2020-11-28 02:42:08 +00:00
isExist , err := util . IsExist ( repoPath )
if err != nil {
log . Error ( "Unable to check if %s exists. Error: %v" , repoPath , err )
return err
}
if ! overwriteOrAdopt && isExist {
2020-09-25 04:09:23 +00:00
log . Error ( "Files already exist in %s and we are not going to adopt or delete." , repoPath )
return ErrRepoFilesAlreadyExist {
Uname : u . Name ,
Name : repo . Name ,
}
}
2020-01-12 12:11:17 +00:00
if _ , err = ctx . e . Insert ( repo ) ; err != nil {
2015-08-08 09:10:34 +00:00
return err
2015-08-29 17:13:24 +00:00
}
2020-01-12 12:11:17 +00:00
if err = deleteRepoRedirect ( ctx . e , u . ID , repo . Name ) ; err != nil {
2017-02-05 14:35:03 +00:00
return err
}
2015-08-29 17:13:24 +00:00
2017-02-04 15:53:46 +00:00
// insert units for repo
2021-03-14 18:52:12 +00:00
units := make ( [ ] RepoUnit , 0 , len ( DefaultRepoUnits ) )
2019-05-30 15:09:05 +00:00
for _ , tp := range DefaultRepoUnits {
2017-09-12 06:48:13 +00:00
if tp == UnitTypeIssues {
units = append ( units , RepoUnit {
RepoID : repo . ID ,
Type : tp ,
2018-07-17 21:23:58 +00:00
Config : & IssuesConfig {
EnableTimetracker : setting . Service . DefaultEnableTimetracking ,
AllowOnlyContributorsToTrackTime : setting . Service . DefaultAllowOnlyContributorsToTrackTime ,
EnableDependencies : setting . Service . DefaultEnableDependencies ,
} ,
2017-09-12 06:48:13 +00:00
} )
2018-07-05 03:02:54 +00:00
} else if tp == UnitTypePullRequests {
units = append ( units , RepoUnit {
RepoID : repo . ID ,
Type : tp ,
2021-03-27 14:55:40 +00:00
Config : & PullRequestsConfig { AllowMerge : true , AllowRebase : true , AllowRebaseMerge : true , AllowSquash : true , DefaultMergeStyle : MergeStyleMerge } ,
2018-07-05 03:02:54 +00:00
} )
2017-09-12 06:48:13 +00:00
} else {
units = append ( units , RepoUnit {
RepoID : repo . ID ,
Type : tp ,
} )
}
2017-02-04 15:53:46 +00:00
}
2020-01-12 12:11:17 +00:00
if _ , err = ctx . e . Insert ( & units ) ; err != nil {
2017-02-04 15:53:46 +00:00
return err
}
2015-08-29 17:13:24 +00:00
// Remember visibility preference.
u . LastRepoVisibility = repo . IsPrivate
2020-01-12 12:11:17 +00:00
if err = updateUserCols ( ctx . e , u , "last_repo_visibility" ) ; err != nil {
2015-08-29 17:13:24 +00:00
return fmt . Errorf ( "updateUser: %v" , err )
2015-08-08 09:10:34 +00:00
}
2020-01-12 12:11:17 +00:00
if _ , err = ctx . e . Incr ( "num_repos" ) . ID ( u . ID ) . Update ( new ( User ) ) ; err != nil {
2019-07-17 17:34:13 +00:00
return fmt . Errorf ( "increment user total_repos: %v" , err )
}
u . NumRepos ++
2019-11-06 09:37:14 +00:00
// Give access to all members in teams with access to all repositories.
2015-08-08 09:10:34 +00:00
if u . IsOrganization ( ) {
2020-01-24 19:00:29 +00:00
if err := u . GetTeams ( & SearchTeamOptions { } ) ; err != nil {
2019-11-06 09:37:14 +00:00
return fmt . Errorf ( "GetTeams: %v" , err )
2019-10-26 06:54:11 +00:00
}
2019-11-06 09:37:14 +00:00
for _ , t := range u . Teams {
if t . IncludesAllRepositories {
2020-01-12 12:11:17 +00:00
if err := t . addRepository ( ctx . e , repo ) ; err != nil {
2019-11-06 09:37:14 +00:00
return fmt . Errorf ( "addRepository: %v" , err )
}
}
2015-08-08 09:10:34 +00:00
}
2019-11-20 11:27:49 +00:00
2020-01-12 12:11:17 +00:00
if isAdmin , err := isUserRepoAdmin ( ctx . e , repo , doer ) ; err != nil {
2019-11-20 11:27:49 +00:00
return fmt . Errorf ( "isUserRepoAdmin: %v" , err )
} else if ! isAdmin {
// Make creator repo admin if it wan't assigned automatically
2020-01-12 12:11:17 +00:00
if err = repo . addCollaborator ( ctx . e , doer ) ; err != nil {
2019-11-20 11:27:49 +00:00
return fmt . Errorf ( "AddCollaborator: %v" , err )
}
2020-01-12 12:11:17 +00:00
if err = repo . changeCollaborationAccessMode ( ctx . e , doer . ID , AccessModeAdmin ) ; err != nil {
2019-11-20 11:27:49 +00:00
return fmt . Errorf ( "ChangeCollaborationAccessMode: %v" , err )
}
}
2020-01-12 12:11:17 +00:00
} else if err = repo . recalculateAccesses ( ctx . e ) ; err != nil {
2015-08-08 09:10:34 +00:00
// Organization automatically called this in addRepository method.
2019-06-12 19:41:28 +00:00
return fmt . Errorf ( "recalculateAccesses: %v" , err )
2015-08-08 09:10:34 +00:00
}
2019-01-27 09:25:21 +00:00
if setting . Service . AutoWatchNewRepos {
2020-01-12 12:11:17 +00:00
if err = watchRepo ( ctx . e , doer . ID , repo . ID , true ) ; err != nil {
2019-01-27 09:25:21 +00:00
return fmt . Errorf ( "watchRepo: %v" , err )
}
}
2015-08-08 09:10:34 +00:00
2020-01-12 12:11:17 +00:00
if err = copyDefaultWebhooksToRepo ( ctx . e , repo . ID ) ; err != nil {
2019-03-19 02:33:20 +00:00
return fmt . Errorf ( "copyDefaultWebhooksToRepo: %v" , err )
}
2015-08-08 09:10:34 +00:00
return nil
}
2016-07-24 06:32:46 +00:00
func countRepositories ( userID int64 , private bool ) int64 {
sess := x . Where ( "id > 0" )
2015-09-04 09:54:22 +00:00
2016-07-24 06:32:46 +00:00
if userID > 0 {
sess . And ( "owner_id = ?" , userID )
}
if ! private {
sess . And ( "is_private=?" , false )
2015-09-04 09:54:22 +00:00
}
2016-02-10 22:30:24 +00:00
count , err := sess . Count ( new ( Repository ) )
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "countRepositories: %v" , err )
2016-02-10 22:30:24 +00:00
}
2015-09-04 09:54:22 +00:00
return count
}
2014-07-07 08:15:08 +00:00
// CountRepositories returns number of repositories.
2016-07-24 06:32:46 +00:00
// Argument private only takes effect when it is false,
// set it true to count all repositories.
func CountRepositories ( private bool ) int64 {
return countRepositories ( - 1 , private )
2015-09-04 09:54:22 +00:00
}
2016-07-24 06:32:46 +00:00
// CountUserRepositories returns number of repositories user owns.
// Argument private only takes effect when it is false,
// set it true to count all repositories.
func CountUserRepositories ( userID int64 , private bool ) int64 {
return countRepositories ( userID , private )
2014-07-07 08:15:08 +00:00
}
2015-09-25 23:07:21 +00:00
2014-04-13 00:35:35 +00:00
// RepoPath returns repository path by given user and repository name.
2014-03-20 20:04:56 +00:00
func RepoPath ( userName , repoName string ) string {
2014-03-30 02:13:02 +00:00
return filepath . Join ( UserPath ( userName ) , strings . ToLower ( repoName ) + ".git" )
2014-03-20 20:04:56 +00:00
}
2020-01-12 12:11:17 +00:00
// IncrementRepoForkNum increment repository fork number
func IncrementRepoForkNum ( ctx DBContext , repoID int64 ) error {
_ , err := ctx . e . Exec ( "UPDATE `repository` SET num_forks=num_forks+1 WHERE id=?" , repoID )
return err
}
2014-04-03 19:50:55 +00:00
// ChangeRepositoryName changes all corresponding setting from old repository name to new one.
2019-11-15 08:06:11 +00:00
func ChangeRepositoryName ( doer * User , repo * Repository , newRepoName string ) ( err error ) {
2019-12-06 04:00:50 +00:00
oldRepoName := repo . Name
2014-12-12 06:29:36 +00:00
newRepoName = strings . ToLower ( newRepoName )
2016-07-23 10:58:18 +00:00
if err = IsUsableRepoName ( newRepoName ) ; err != nil {
2015-03-26 21:11:47 +00:00
return err
}
2019-11-15 08:06:11 +00:00
if err := repo . GetOwner ( ) ; err != nil {
return err
2014-08-24 13:09:05 +00:00
}
2019-11-15 08:06:11 +00:00
has , err := IsRepositoryExist ( repo . Owner , newRepoName )
2016-02-05 19:11:53 +00:00
if err != nil {
2019-11-15 08:06:11 +00:00
return fmt . Errorf ( "IsRepositoryExist: %v" , err )
} else if has {
return ErrRepoAlreadyExist { repo . Owner . Name , newRepoName }
2016-02-05 19:11:53 +00:00
}
2019-11-15 08:06:11 +00:00
newRepoPath := RepoPath ( repo . Owner . Name , newRepoName )
2018-01-27 17:54:26 +00:00
if err = os . Rename ( repo . RepoPath ( ) , newRepoPath ) ; err != nil {
2015-12-01 01:45:55 +00:00
return fmt . Errorf ( "rename repository directory: %v" , err )
}
2015-12-03 06:59:32 +00:00
2016-02-05 19:11:53 +00:00
wikiPath := repo . WikiPath ( )
2020-11-28 02:42:08 +00:00
isExist , err := util . IsExist ( wikiPath )
if err != nil {
log . Error ( "Unable to check if %s exists. Error: %v" , wikiPath , err )
return err
}
if isExist {
2019-11-15 08:06:11 +00:00
if err = os . Rename ( wikiPath , WikiPath ( repo . Owner . Name , newRepoName ) ) ; err != nil {
2015-12-03 07:08:25 +00:00
return fmt . Errorf ( "rename repository wiki: %v" , err )
}
2015-12-03 06:59:32 +00:00
}
2015-12-03 07:08:25 +00:00
2019-03-02 13:07:19 +00:00
sess := x . NewSession ( )
defer sess . Close ( )
if err = sess . Begin ( ) ; err != nil {
return fmt . Errorf ( "sess.Begin: %v" , err )
}
2021-01-24 15:23:05 +00:00
if err := newRepoRedirect ( sess , repo . Owner . ID , repo . ID , oldRepoName , newRepoName ) ; err != nil {
2019-12-06 04:00:50 +00:00
return err
}
2019-03-02 13:07:19 +00:00
return sess . Commit ( )
2014-04-03 19:50:55 +00:00
}
2015-09-01 15:43:53 +00:00
func getRepositoriesByForkID ( e Engine , forkID int64 ) ( [ ] * Repository , error ) {
repos := make ( [ ] * Repository , 0 , 10 )
2016-11-10 15:16:32 +00:00
return repos , e .
Where ( "fork_id=?" , forkID ) .
Find ( & repos )
2015-09-01 15:43:53 +00:00
}
// GetRepositoriesByForkID returns all repositories with given fork ID.
func GetRepositoriesByForkID ( forkID int64 ) ( [ ] * Repository , error ) {
return getRepositoriesByForkID ( x , forkID )
}
2015-03-16 08:52:11 +00:00
func updateRepository ( e Engine , repo * Repository , visibilityChanged bool ) ( err error ) {
2014-04-03 19:50:55 +00:00
repo . LowerName = strings . ToLower ( repo . Name )
2020-07-07 21:35:52 +00:00
if utf8 . RuneCountInString ( repo . Description ) > 255 {
repo . Description = string ( [ ] rune ( repo . Description ) [ : 255 ] )
2014-03-22 20:00:46 +00:00
}
2020-07-07 21:35:52 +00:00
if utf8 . RuneCountInString ( repo . Website ) > 255 {
repo . Website = string ( [ ] rune ( repo . Website ) [ : 255 ] )
2014-03-22 20:00:46 +00:00
}
2015-03-16 08:52:11 +00:00
2017-10-05 04:43:04 +00:00
if _ , err = e . ID ( repo . ID ) . AllCols ( ) . Update ( repo ) ; err != nil {
2015-03-16 08:52:11 +00:00
return fmt . Errorf ( "update: %v" , err )
}
2020-11-07 04:44:08 +00:00
if err = repo . updateSize ( e ) ; err != nil {
log . Error ( "Failed to update size for repository: %v" , err )
}
2015-03-16 08:52:11 +00:00
if visibilityChanged {
if err = repo . getOwner ( e ) ; err != nil {
return fmt . Errorf ( "getOwner: %v" , err )
}
2015-10-09 02:38:42 +00:00
if repo . Owner . IsOrganization ( ) {
2017-01-05 00:50:34 +00:00
// Organization repository need to recalculate access table when visibility is changed.
2015-10-09 02:38:42 +00:00
if err = repo . recalculateTeamAccesses ( e , 0 ) ; err != nil {
return fmt . Errorf ( "recalculateTeamAccesses: %v" , err )
}
2015-03-16 08:52:11 +00:00
}
2015-09-01 15:43:53 +00:00
2017-02-11 10:57:57 +00:00
// If repo has become private, we need to set its actions to private.
if repo . IsPrivate {
_ , err = e . Where ( "repo_id = ?" , repo . ID ) . Cols ( "is_private" ) . Update ( & Action {
IsPrivate : true ,
} )
if err != nil {
return err
}
}
2016-08-11 03:08:09 +00:00
// Create/Remove git-daemon-export-ok for git-daemon...
2020-01-12 09:36:21 +00:00
daemonExportFile := path . Join ( repo . RepoPath ( ) , ` git-daemon-export-ok ` )
2020-11-28 02:42:08 +00:00
isExist , err := util . IsExist ( daemonExportFile )
if err != nil {
log . Error ( "Unable to check if %s exists. Error: %v" , daemonExportFile , err )
return err
}
if repo . IsPrivate && isExist {
2020-08-11 20:05:34 +00:00
if err = util . Remove ( daemonExportFile ) ; err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Failed to remove %s: %v" , daemonExportFile , err )
2016-08-11 03:08:09 +00:00
}
2020-11-28 02:42:08 +00:00
} else if ! repo . IsPrivate && ! isExist {
2016-08-11 03:08:09 +00:00
if f , err := os . Create ( daemonExportFile ) ; err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Failed to create %s: %v" , daemonExportFile , err )
2016-08-11 03:08:09 +00:00
} else {
f . Close ( )
}
}
2015-09-01 15:43:53 +00:00
forkRepos , err := getRepositoriesByForkID ( e , repo . ID )
if err != nil {
return fmt . Errorf ( "getRepositoriesByForkID: %v" , err )
}
for i := range forkRepos {
2020-06-07 00:45:12 +00:00
forkRepos [ i ] . IsPrivate = repo . IsPrivate || repo . Owner . Visibility == api . VisibleTypePrivate
2015-09-01 15:43:53 +00:00
if err = updateRepository ( e , forkRepos [ i ] , true ) ; err != nil {
return fmt . Errorf ( "updateRepository[%d]: %v" , forkRepos [ i ] . ID , err )
}
}
2015-03-16 08:52:11 +00:00
}
return nil
2014-03-22 08:44:57 +00:00
}
2020-01-12 12:11:17 +00:00
// UpdateRepositoryCtx updates a repository with db context
func UpdateRepositoryCtx ( ctx DBContext , repo * Repository , visibilityChanged bool ) error {
return updateRepository ( ctx . e , repo , visibilityChanged )
}
2016-11-28 17:27:55 +00:00
// UpdateRepository updates a repository
2015-03-16 08:52:11 +00:00
func UpdateRepository ( repo * Repository , visibilityChanged bool ) ( err error ) {
sess := x . NewSession ( )
2017-06-21 00:57:05 +00:00
defer sess . Close ( )
2015-03-16 08:52:11 +00:00
if err = sess . Begin ( ) ; err != nil {
return err
}
2017-01-14 02:07:04 +00:00
if err = updateRepository ( sess , repo , visibilityChanged ) ; err != nil {
2015-03-16 08:52:11 +00:00
return fmt . Errorf ( "updateRepository: %v" , err )
}
return sess . Commit ( )
2015-02-13 05:58:46 +00:00
}
2019-10-01 13:40:17 +00:00
// UpdateRepositoryUpdatedTime updates a repository's updated time
func UpdateRepositoryUpdatedTime ( repoID int64 , updateTime time . Time ) error {
_ , err := x . Exec ( "UPDATE repository SET updated_unix = ? WHERE id = ?" , updateTime . Unix ( ) , repoID )
return err
}
2017-02-04 15:53:46 +00:00
// UpdateRepositoryUnits updates a repository's units
2020-01-17 07:34:37 +00:00
func UpdateRepositoryUnits ( repo * Repository , units [ ] RepoUnit , deleteUnitTypes [ ] UnitType ) ( err error ) {
2017-02-04 15:53:46 +00:00
sess := x . NewSession ( )
defer sess . Close ( )
if err = sess . Begin ( ) ; err != nil {
return err
}
2020-01-17 07:34:37 +00:00
// Delete existing settings of units before adding again
for _ , u := range units {
deleteUnitTypes = append ( deleteUnitTypes , u . Type )
}
if _ , err = sess . Where ( "repo_id = ?" , repo . ID ) . In ( "type" , deleteUnitTypes ) . Delete ( new ( RepoUnit ) ) ; err != nil {
2017-02-04 15:53:46 +00:00
return err
}
2020-03-22 15:12:55 +00:00
if len ( units ) > 0 {
if _ , err = sess . Insert ( units ) ; err != nil {
return err
}
2017-02-04 15:53:46 +00:00
}
return sess . Commit ( )
}
2014-12-07 01:22:48 +00:00
// DeleteRepository deletes a repository for a user or organization.
2021-01-18 20:00:50 +00:00
// make sure if you call this func to close open sessions (sqlite will otherwise get a deadlock)
2017-09-03 08:20:24 +00:00
func DeleteRepository ( doer * User , uid , repoID int64 ) error {
2021-01-18 20:00:50 +00:00
sess := x . NewSession ( )
defer sess . Close ( )
if err := sess . Begin ( ) ; err != nil {
return err
}
2014-08-27 08:39:36 +00:00
// In case is a organization.
2021-01-18 20:00:50 +00:00
org , err := getUserByID ( sess , uid )
2014-08-27 08:39:36 +00:00
if err != nil {
return err
}
if org . IsOrganization ( ) {
2021-01-18 20:00:50 +00:00
if err = org . getTeams ( sess ) ; err != nil {
2014-08-27 08:39:36 +00:00
return err
}
}
2021-01-18 20:00:50 +00:00
repo := & Repository { OwnerID : uid }
has , err := sess . ID ( repoID ) . Get ( repo )
2017-03-01 04:05:45 +00:00
if err != nil {
return err
} else if ! has {
2017-12-02 07:34:39 +00:00
return ErrRepoNotExist { repoID , uid , "" , "" }
2017-03-01 04:05:45 +00:00
}
2019-02-03 23:56:53 +00:00
// Delete Deploy Keys
2020-01-24 19:00:29 +00:00
deployKeys , err := listDeployKeys ( sess , repo . ID , ListOptions { } )
2019-02-03 23:56:53 +00:00
if err != nil {
return fmt . Errorf ( "listDeployKeys: %v" , err )
}
for _ , dKey := range deployKeys {
if err := deleteDeployKey ( sess , doer , dKey . ID ) ; err != nil {
return fmt . Errorf ( "deleteDeployKeys: %v" , err )
}
}
2017-10-05 04:43:04 +00:00
if cnt , err := sess . ID ( repoID ) . Delete ( & Repository { } ) ; err != nil {
2017-03-01 04:05:45 +00:00
return err
} else if cnt != 1 {
2017-12-02 07:34:39 +00:00
return ErrRepoNotExist { repoID , uid , "" , "" }
2017-03-01 04:05:45 +00:00
}
2014-08-27 08:39:36 +00:00
if org . IsOrganization ( ) {
for _ , t := range org . Teams {
2015-02-23 07:15:53 +00:00
if ! t . hasRepository ( sess , repoID ) {
2014-08-27 08:39:36 +00:00
continue
2015-03-01 02:44:09 +00:00
} else if err = t . removeRepository ( sess , repo , false ) ; err != nil {
2014-08-27 08:39:36 +00:00
return err
}
}
}
2019-12-12 05:31:05 +00:00
attachments := make ( [ ] * Attachment , 0 , 20 )
if err = sess . Join ( "INNER" , "`release`" , "`release`.id = `attachment`.release_id" ) .
Where ( "`release`.repo_id = ?" , repoID ) .
Find ( & attachments ) ; err != nil {
return err
}
releaseAttachments := make ( [ ] string , 0 , len ( attachments ) )
for i := 0 ; i < len ( attachments ) ; i ++ {
2020-08-18 04:23:45 +00:00
releaseAttachments = append ( releaseAttachments , attachments [ i ] . RelativePath ( ) )
2019-12-12 05:31:05 +00:00
}
2021-03-19 19:01:24 +00:00
if _ , err := sess . Exec ( "UPDATE `user` SET num_stars=num_stars-1 WHERE id IN (SELECT `uid` FROM `star` WHERE repo_id = ?)" , repo . ID ) ; err != nil {
2020-07-07 19:16:34 +00:00
return err
}
2021-03-19 19:01:24 +00:00
if err := deleteBeans ( sess ,
2015-12-01 01:45:55 +00:00
& Access { RepoID : repo . ID } ,
& Action { RepoID : repo . ID } ,
& Watch { RepoID : repoID } ,
2015-12-01 01:50:40 +00:00
& Star { RepoID : repoID } ,
2015-12-01 01:45:55 +00:00
& Mirror { RepoID : repoID } ,
& Milestone { RepoID : repoID } ,
& Release { RepoID : repoID } ,
& Collaboration { RepoID : repoID } ,
& PullRequest { BaseRepoID : repoID } ,
2017-05-18 14:54:24 +00:00
& RepoUnit { RepoID : repoID } ,
2017-05-23 08:00:10 +00:00
& RepoRedirect { RedirectRepoID : repoID } ,
2018-05-21 13:30:30 +00:00
& Webhook { RepoID : repoID } ,
& HookTask { RepoID : repoID } ,
2018-12-10 20:01:01 +00:00
& Notification { RepoID : repoID } ,
2019-02-03 04:03:45 +00:00
& CommitStatus { RepoID : repoID } ,
2019-08-04 06:53:17 +00:00
& RepoIndexerStatus { RepoID : repoID } ,
2020-02-11 09:34:17 +00:00
& LanguageStat { RepoID : repoID } ,
2019-09-20 05:45:38 +00:00
& Comment { RefRepoID : repoID } ,
2019-10-13 13:23:14 +00:00
& Task { RepoID : repoID } ,
2015-12-01 01:45:55 +00:00
) ; err != nil {
return fmt . Errorf ( "deleteBeans: %v" , err )
2014-05-14 17:04:57 +00:00
}
2021-03-19 19:01:24 +00:00
// Delete Labels and related objects
if err := deleteLabelsByRepoID ( sess , repoID ) ; err != nil {
return err
}
2020-05-29 13:24:15 +00:00
// Delete Issues and related objects
var attachmentPaths [ ] string
if attachmentPaths , err = deleteIssuesByRepoID ( sess , repoID ) ; err != nil {
2018-11-30 12:59:12 +00:00
return err
2014-05-14 13:23:33 +00:00
}
2014-10-19 05:35:24 +00:00
2021-03-19 19:01:24 +00:00
if _ , err := sess . Where ( "repo_id = ?" , repoID ) . Delete ( new ( RepoUnit ) ) ; err != nil {
2017-02-04 15:53:46 +00:00
return err
}
2014-10-13 19:23:30 +00:00
if repo . IsFork {
2021-03-19 19:01:24 +00:00
if _ , err := sess . Exec ( "UPDATE `repository` SET num_forks=num_forks-1 WHERE id=?" , repo . ForkID ) ; err != nil {
2015-09-01 15:43:53 +00:00
return fmt . Errorf ( "decrease fork count: %v" , err )
2014-10-19 05:35:24 +00:00
}
2014-10-13 19:23:30 +00:00
}
2014-04-13 00:35:35 +00:00
2021-03-19 19:01:24 +00:00
if _ , err := sess . Exec ( "UPDATE `user` SET num_repos=num_repos-1 WHERE id=?" , uid ) ; err != nil {
2014-04-13 00:35:35 +00:00
return err
}
2014-10-08 22:29:18 +00:00
2020-01-31 06:57:19 +00:00
if len ( repo . Topics ) > 0 {
2021-03-19 19:01:24 +00:00
if err := removeTopicsFromRepo ( sess , repo . ID ) ; err != nil {
2020-01-31 06:57:19 +00:00
return err
}
}
2020-08-17 03:07:38 +00:00
projects , _ , err := getProjects ( sess , ProjectSearchOptions {
RepoID : repoID ,
} )
if err != nil {
return fmt . Errorf ( "get projects: %v" , err )
}
for i := range projects {
if err := deleteProjectByID ( sess , projects [ i ] . ID ) ; err != nil {
return fmt . Errorf ( "delete project [%d]: %v" , projects [ i ] . ID , err )
}
}
2017-02-24 15:19:13 +00:00
// FIXME: Remove repository files should be executed after transaction succeed.
2020-01-12 09:36:21 +00:00
repoPath := repo . RepoPath ( )
2017-02-24 15:19:13 +00:00
removeAllWithNotice ( sess , "Delete repository files" , repoPath )
2015-12-01 01:45:55 +00:00
2019-06-12 19:41:28 +00:00
err = repo . deleteWiki ( sess )
if err != nil {
return err
}
2015-02-13 07:14:57 +00:00
2016-12-26 01:16:37 +00:00
// Remove LFS objects
var lfsObjects [ ] * LFSMetaObject
if err = sess . Where ( "repository_id=?" , repoID ) . Find ( & lfsObjects ) ; err != nil {
return err
}
for _ , v := range lfsObjects {
2021-04-08 22:25:57 +00:00
count , err := sess . Count ( & LFSMetaObject { Pointer : lfs . Pointer { Oid : v . Oid } } )
2016-12-26 01:16:37 +00:00
if err != nil {
return err
}
if count > 1 {
continue
}
2020-09-29 09:05:13 +00:00
removeStorageWithNotice ( sess , storage . LFS , "Delete orphaned LFS file" , v . RelativePath ( ) )
2016-12-26 01:16:37 +00:00
}
if _ , err := sess . Delete ( & LFSMetaObject { RepositoryID : repoID } ) ; err != nil {
return err
}
2015-09-01 15:43:53 +00:00
if repo . NumForks > 0 {
2017-01-27 16:11:41 +00:00
if _ , err = sess . Exec ( "UPDATE `repository` SET fork_id=0,is_fork=? WHERE fork_id=?" , false , repo . ID ) ; err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "reset 'fork_id' and 'is_fork': %v" , err )
2016-07-09 05:42:05 +00:00
}
2015-09-01 15:43:53 +00:00
}
2017-01-27 16:11:41 +00:00
if err = sess . Commit ( ) ; err != nil {
2021-01-18 20:00:50 +00:00
return err
2017-01-27 16:11:41 +00:00
}
2019-12-12 05:31:05 +00:00
sess . Close ( )
// We should always delete the files after the database transaction succeed. If
// we delete the file but the database rollback, the repository will be borken.
// Remove issue attachment files.
for i := range attachmentPaths {
2020-08-18 04:23:45 +00:00
RemoveStorageWithNotice ( storage . Attachments , "Delete issue attachment" , attachmentPaths [ i ] )
2019-12-12 05:31:05 +00:00
}
// Remove release attachment files.
for i := range releaseAttachments {
2020-08-18 04:23:45 +00:00
RemoveStorageWithNotice ( storage . Attachments , "Delete release attachment" , releaseAttachments [ i ] )
2019-12-12 05:31:05 +00:00
}
2019-05-30 02:22:26 +00:00
if len ( repo . Avatar ) > 0 {
2020-10-14 13:07:51 +00:00
if err := storage . RepoAvatars . Delete ( repo . CustomAvatarRelativePath ( ) ) ; err != nil {
return fmt . Errorf ( "Failed to remove %s: %v" , repo . Avatar , err )
2019-05-30 02:22:26 +00:00
}
}
2015-09-01 15:43:53 +00:00
return nil
2014-03-20 20:04:56 +00:00
}
2017-12-02 07:34:39 +00:00
// GetRepositoryByOwnerAndName returns the repository by given ownername and reponame.
func GetRepositoryByOwnerAndName ( ownerName , repoName string ) ( * Repository , error ) {
2019-09-20 05:45:38 +00:00
return getRepositoryByOwnerAndName ( x , ownerName , repoName )
}
func getRepositoryByOwnerAndName ( e Engine , ownerName , repoName string ) ( * Repository , error ) {
2017-12-02 07:34:39 +00:00
var repo Repository
2019-09-20 05:45:38 +00:00
has , err := e . Table ( "repository" ) . Select ( "repository.*" ) .
2018-07-20 02:10:17 +00:00
Join ( "INNER" , "`user`" , "`user`.id = repository.owner_id" ) .
2017-12-02 07:34:39 +00:00
Where ( "repository.lower_name = ?" , strings . ToLower ( repoName ) ) .
And ( "`user`.lower_name = ?" , strings . ToLower ( ownerName ) ) .
Get ( & repo )
2014-07-23 11:48:06 +00:00
if err != nil {
return nil , err
2017-12-02 07:34:39 +00:00
} else if ! has {
return nil , ErrRepoNotExist { 0 , 0 , ownerName , repoName }
2014-07-23 11:48:06 +00:00
}
2017-12-02 07:34:39 +00:00
return & repo , nil
2014-07-23 11:48:06 +00:00
}
2014-03-17 18:03:58 +00:00
// GetRepositoryByName returns the repository by given name under user if exists.
2016-08-17 06:06:38 +00:00
func GetRepositoryByName ( ownerID int64 , name string ) ( * Repository , error ) {
2014-03-13 02:27:11 +00:00
repo := & Repository {
2016-08-17 06:06:38 +00:00
OwnerID : ownerID ,
LowerName : strings . ToLower ( name ) ,
2014-03-13 02:27:11 +00:00
}
2014-06-21 04:51:41 +00:00
has , err := x . Get ( repo )
2014-03-13 02:27:11 +00:00
if err != nil {
return nil , err
} else if ! has {
2017-12-02 07:34:39 +00:00
return nil , ErrRepoNotExist { 0 , ownerID , "" , name }
2014-03-13 02:27:11 +00:00
}
return repo , err
}
2015-08-08 14:43:14 +00:00
func getRepositoryByID ( e Engine , id int64 ) ( * Repository , error ) {
2015-03-16 08:04:27 +00:00
repo := new ( Repository )
2017-10-05 04:43:04 +00:00
has , err := e . ID ( id ) . Get ( repo )
2014-03-13 02:27:11 +00:00
if err != nil {
return nil , err
} else if ! has {
2017-12-02 07:34:39 +00:00
return nil , ErrRepoNotExist { id , 0 , "" , "" }
2014-03-13 02:27:11 +00:00
}
2014-05-06 01:36:08 +00:00
return repo , nil
2014-03-13 02:27:11 +00:00
}
2015-08-08 14:43:14 +00:00
// GetRepositoryByID returns the repository by given id if exists.
func GetRepositoryByID ( id int64 ) ( * Repository , error ) {
return getRepositoryByID ( x , id )
2015-02-13 05:58:46 +00:00
}
2020-01-12 12:11:17 +00:00
// GetRepositoryByIDCtx returns the repository by given id if exists.
func GetRepositoryByIDCtx ( ctx DBContext , id int64 ) ( * Repository , error ) {
return getRepositoryByID ( ctx . e , id )
}
2018-03-16 14:04:33 +00:00
// GetRepositoriesMapByIDs returns the repositories by given id slice.
func GetRepositoriesMapByIDs ( ids [ ] int64 ) ( map [ int64 ] * Repository , error ) {
2021-03-14 18:52:12 +00:00
repos := make ( map [ int64 ] * Repository , len ( ids ) )
2018-03-16 14:04:33 +00:00
return repos , x . In ( "id" , ids ) . Find ( & repos )
}
2016-07-24 06:32:46 +00:00
// GetUserRepositories returns a list of repositories of given user.
2020-06-13 11:35:59 +00:00
func GetUserRepositories ( opts * SearchRepoOptions ) ( [ ] * Repository , int64 , error ) {
2020-01-24 19:00:29 +00:00
if len ( opts . OrderBy ) == 0 {
opts . OrderBy = "updated_unix DESC"
2017-02-04 12:20:20 +00:00
}
2021-03-14 18:52:12 +00:00
cond := builder . NewCond ( )
2020-06-13 11:35:59 +00:00
cond = cond . And ( builder . Eq { "owner_id" : opts . Actor . ID } )
2020-01-24 19:00:29 +00:00
if ! opts . Private {
2020-06-13 11:35:59 +00:00
cond = cond . And ( builder . Eq { "is_private" : false } )
2014-04-13 22:12:07 +00:00
}
2020-09-25 04:09:23 +00:00
if opts . LowerNames != nil && len ( opts . LowerNames ) > 0 {
cond = cond . And ( builder . In ( "lower_name" , opts . LowerNames ) )
}
2020-06-13 11:35:59 +00:00
sess := x . NewSession ( )
defer sess . Close ( )
count , err := sess . Where ( cond ) . Count ( new ( Repository ) )
if err != nil {
return nil , 0 , fmt . Errorf ( "Count: %v" , err )
}
2016-07-24 06:32:46 +00:00
2020-06-13 11:35:59 +00:00
sess . Where ( cond ) . OrderBy ( opts . OrderBy . String ( ) )
2020-01-24 19:00:29 +00:00
repos := make ( [ ] * Repository , 0 , opts . PageSize )
2020-06-13 11:35:59 +00:00
return repos , count , opts . setSessionPagination ( sess ) . Find ( & repos )
2016-07-24 06:32:46 +00:00
}
2016-11-28 17:27:55 +00:00
// GetUserMirrorRepositories returns a list of mirror repositories of given user.
2016-07-24 06:32:46 +00:00
func GetUserMirrorRepositories ( userID int64 ) ( [ ] * Repository , error ) {
repos := make ( [ ] * Repository , 0 , 10 )
2016-11-10 15:16:32 +00:00
return repos , x .
Where ( "owner_id = ?" , userID ) .
And ( "is_mirror = ?" , true ) .
Find ( & repos )
2014-02-14 14:20:57 +00:00
}
2015-09-06 12:54:08 +00:00
func getRepositoryCount ( e Engine , u * User ) ( int64 , error ) {
2017-02-27 02:16:35 +00:00
return e . Count ( & Repository { OwnerID : u . ID } )
2015-09-06 12:54:08 +00:00
}
2017-02-06 15:18:36 +00:00
func getPublicRepositoryCount ( e Engine , u * User ) ( int64 , error ) {
2017-02-27 02:16:35 +00:00
return e . Where ( "is_private = ?" , false ) . Count ( & Repository { OwnerID : u . ID } )
2017-02-06 15:18:36 +00:00
}
func getPrivateRepositoryCount ( e Engine , u * User ) ( int64 , error ) {
2017-02-27 02:16:35 +00:00
return e . Where ( "is_private = ?" , true ) . Count ( & Repository { OwnerID : u . ID } )
2017-02-06 15:18:36 +00:00
}
2014-04-14 08:11:33 +00:00
// GetRepositoryCount returns the total number of repositories of user.
2015-08-08 14:43:14 +00:00
func GetRepositoryCount ( u * User ) ( int64 , error ) {
2015-09-06 12:54:08 +00:00
return getRepositoryCount ( x , u )
2014-03-11 06:17:05 +00:00
}
2017-02-06 15:18:36 +00:00
// GetPublicRepositoryCount returns the total number of public repositories of user.
func GetPublicRepositoryCount ( u * User ) ( int64 , error ) {
return getPublicRepositoryCount ( x , u )
}
// GetPrivateRepositoryCount returns the total number of private repositories of user.
func GetPrivateRepositoryCount ( u * User ) ( int64 , error ) {
return getPrivateRepositoryCount ( x , u )
}
2014-11-19 00:05:33 +00:00
// DeleteRepositoryArchives deletes all repositories' archives.
2020-05-16 23:31:38 +00:00
func DeleteRepositoryArchives ( ctx context . Context ) error {
2016-11-10 15:16:32 +00:00
return x .
Where ( "id > 0" ) .
Iterate ( new ( Repository ) ,
func ( idx int , bean interface { } ) error {
repo := bean . ( * Repository )
2020-05-16 23:31:38 +00:00
select {
case <- ctx . Done ( ) :
return ErrCancelledf ( "before deleting repository archives for %s" , repo . FullName ( ) )
default :
}
2020-08-11 20:05:34 +00:00
return util . RemoveAll ( filepath . Join ( repo . RepoPath ( ) , "archives" ) )
2016-11-10 15:16:32 +00:00
} )
2014-11-19 00:05:33 +00:00
}
2017-02-11 04:00:46 +00:00
// DeleteOldRepositoryArchives deletes old repository archives.
2020-05-16 23:31:38 +00:00
func DeleteOldRepositoryArchives ( ctx context . Context , olderThan time . Duration ) error {
2017-02-11 04:00:46 +00:00
log . Trace ( "Doing: ArchiveCleanup" )
2019-12-15 09:51:28 +00:00
if err := x . Where ( "id > 0" ) . Iterate ( new ( Repository ) , func ( idx int , bean interface { } ) error {
2020-05-16 23:31:38 +00:00
return deleteOldRepositoryArchives ( ctx , olderThan , idx , bean )
2019-12-15 09:51:28 +00:00
} ) ; err != nil {
2020-05-16 23:31:38 +00:00
log . Trace ( "Error: ArchiveClean: %v" , err )
return err
2017-02-11 04:00:46 +00:00
}
2020-05-16 23:31:38 +00:00
log . Trace ( "Finished: ArchiveCleanup" )
return nil
2017-02-11 04:00:46 +00:00
}
2020-05-16 23:31:38 +00:00
func deleteOldRepositoryArchives ( ctx context . Context , olderThan time . Duration , idx int , bean interface { } ) error {
2017-02-11 04:00:46 +00:00
repo := bean . ( * Repository )
basePath := filepath . Join ( repo . RepoPath ( ) , "archives" )
for _ , ty := range [ ] string { "zip" , "targz" } {
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
return ErrCancelledf ( "before deleting old repository archives with filetype %s for %s" , ty , repo . FullName ( ) )
2019-12-15 09:51:28 +00:00
default :
}
2017-02-11 04:00:46 +00:00
path := filepath . Join ( basePath , ty )
file , err := os . Open ( path )
if err != nil {
if ! os . IsNotExist ( err ) {
log . Warn ( "Unable to open directory %s: %v" , path , err )
return err
}
// If the directory doesn't exist, that's okay.
continue
}
files , err := file . Readdir ( 0 )
file . Close ( )
if err != nil {
log . Warn ( "Unable to read directory %s: %v" , path , err )
return err
}
2020-05-16 23:31:38 +00:00
minimumOldestTime := time . Now ( ) . Add ( - olderThan )
2017-02-11 04:00:46 +00:00
for _ , info := range files {
if info . ModTime ( ) . Before ( minimumOldestTime ) && ! info . IsDir ( ) {
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
return ErrCancelledf ( "before deleting old repository archive file %s with filetype %s for %s" , info . Name ( ) , ty , repo . FullName ( ) )
2019-12-15 09:51:28 +00:00
default :
}
2017-02-11 04:00:46 +00:00
toDelete := filepath . Join ( path , info . Name ( ) )
// This is a best-effort purge, so we do not check error codes to confirm removal.
2020-08-11 20:05:34 +00:00
if err = util . Remove ( toDelete ) ; err != nil {
2017-02-11 04:00:46 +00:00
log . Trace ( "Unable to delete %s, but proceeding: %v" , toDelete , err )
}
}
}
}
return nil
}
2015-09-01 15:43:53 +00:00
type repoChecker struct {
querySQL , correctSQL string
desc string
}
2015-08-17 20:03:11 +00:00
2019-12-15 09:51:28 +00:00
func repoStatsCheck ( ctx context . Context , checker * repoChecker ) {
2015-09-01 15:43:53 +00:00
results , err := x . Query ( checker . querySQL )
2015-08-17 20:03:11 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Select %s: %v" , checker . desc , err )
2015-08-17 20:03:11 +00:00
return
}
2015-09-01 15:43:53 +00:00
for _ , result := range results {
2020-12-25 09:59:32 +00:00
id , _ := strconv . ParseInt ( string ( result [ "id" ] ) , 10 , 64 )
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
log . Warn ( "CheckRepoStats: Cancelled before checking %s for Repo[%d]" , checker . desc , id )
2019-12-15 09:51:28 +00:00
return
default :
}
2015-09-01 15:43:53 +00:00
log . Trace ( "Updating %s: %d" , checker . desc , id )
_ , err = x . Exec ( checker . correctSQL , id , id )
2015-08-17 20:03:11 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Update %s[%d]: %v" , checker . desc , id , err )
2015-08-17 20:03:11 +00:00
}
}
2015-09-01 15:43:53 +00:00
}
2015-08-17 20:03:11 +00:00
2016-11-28 17:27:55 +00:00
// CheckRepoStats checks the repository stats
2020-05-16 23:31:38 +00:00
func CheckRepoStats ( ctx context . Context ) error {
2015-09-01 15:43:53 +00:00
log . Trace ( "Doing: CheckRepoStats" )
2015-08-29 17:13:24 +00:00
2015-09-01 15:43:53 +00:00
checkers := [ ] * repoChecker {
// Repository.NumWatches
{
2019-11-10 09:22:19 +00:00
"SELECT repo.id FROM `repository` repo WHERE repo.num_watches!=(SELECT COUNT(*) FROM `watch` WHERE repo_id=repo.id AND mode<>2)" ,
"UPDATE `repository` SET num_watches=(SELECT COUNT(*) FROM `watch` WHERE repo_id=? AND mode<>2) WHERE id=?" ,
2015-09-01 15:43:53 +00:00
"repository count 'num_watches'" ,
} ,
// Repository.NumStars
{
"SELECT repo.id FROM `repository` repo WHERE repo.num_stars!=(SELECT COUNT(*) FROM `star` WHERE repo_id=repo.id)" ,
"UPDATE `repository` SET num_stars=(SELECT COUNT(*) FROM `star` WHERE repo_id=?) WHERE id=?" ,
"repository count 'num_stars'" ,
} ,
// Label.NumIssues
{
"SELECT label.id FROM `label` WHERE label.num_issues!=(SELECT COUNT(*) FROM `issue_label` WHERE label_id=label.id)" ,
"UPDATE `label` SET num_issues=(SELECT COUNT(*) FROM `issue_label` WHERE label_id=?) WHERE id=?" ,
"label count 'num_issues'" ,
} ,
// User.NumRepos
{
"SELECT `user`.id FROM `user` WHERE `user`.num_repos!=(SELECT COUNT(*) FROM `repository` WHERE owner_id=`user`.id)" ,
"UPDATE `user` SET num_repos=(SELECT COUNT(*) FROM `repository` WHERE owner_id=?) WHERE id=?" ,
"user count 'num_repos'" ,
} ,
2015-10-30 00:40:57 +00:00
// Issue.NumComments
{
"SELECT `issue`.id FROM `issue` WHERE `issue`.num_comments!=(SELECT COUNT(*) FROM `comment` WHERE issue_id=`issue`.id AND type=0)" ,
"UPDATE `issue` SET num_comments=(SELECT COUNT(*) FROM `comment` WHERE issue_id=? AND type=0) WHERE id=?" ,
"issue count 'num_comments'" ,
} ,
2015-09-01 15:43:53 +00:00
}
2020-05-16 23:31:38 +00:00
for _ , checker := range checkers {
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
log . Warn ( "CheckRepoStats: Cancelled before %s" , checker . desc )
return ErrCancelledf ( "before checking %s" , checker . desc )
2019-12-15 09:51:28 +00:00
default :
2020-05-16 23:31:38 +00:00
repoStatsCheck ( ctx , checker )
2019-12-15 09:51:28 +00:00
}
2015-09-01 15:43:53 +00:00
}
2016-05-28 01:23:39 +00:00
// ***** START: Repository.NumClosedIssues *****
desc := "repository count 'num_closed_issues'"
2016-06-26 17:53:30 +00:00
results , err := x . Query ( "SELECT repo.id FROM `repository` repo WHERE repo.num_closed_issues!=(SELECT COUNT(*) FROM `issue` WHERE repo_id=repo.id AND is_closed=? AND is_pull=?)" , true , false )
2016-05-28 01:23:39 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Select %s: %v" , desc , err )
2016-05-28 01:23:39 +00:00
} else {
for _ , result := range results {
2020-12-25 09:59:32 +00:00
id , _ := strconv . ParseInt ( string ( result [ "id" ] ) , 10 , 64 )
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
log . Warn ( "CheckRepoStats: Cancelled during %s for repo ID %d" , desc , id )
return ErrCancelledf ( "during %s for repo ID %d" , desc , id )
2019-12-15 09:51:28 +00:00
default :
}
2016-05-28 01:23:39 +00:00
log . Trace ( "Updating %s: %d" , desc , id )
2016-06-26 17:53:30 +00:00
_ , err = x . Exec ( "UPDATE `repository` SET num_closed_issues=(SELECT COUNT(*) FROM `issue` WHERE repo_id=? AND is_closed=? AND is_pull=?) WHERE id=?" , id , true , false , id )
2016-05-28 01:23:39 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Update %s[%d]: %v" , desc , id , err )
2016-05-28 01:23:39 +00:00
}
}
}
// ***** END: Repository.NumClosedIssues *****
2019-07-18 21:51:33 +00:00
// ***** START: Repository.NumClosedPulls *****
desc = "repository count 'num_closed_pulls'"
results , err = x . Query ( "SELECT repo.id FROM `repository` repo WHERE repo.num_closed_pulls!=(SELECT COUNT(*) FROM `issue` WHERE repo_id=repo.id AND is_closed=? AND is_pull=?)" , true , true )
if err != nil {
log . Error ( "Select %s: %v" , desc , err )
} else {
for _ , result := range results {
2020-12-25 09:59:32 +00:00
id , _ := strconv . ParseInt ( string ( result [ "id" ] ) , 10 , 64 )
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
log . Warn ( "CheckRepoStats: Cancelled" )
return ErrCancelledf ( "during %s for repo ID %d" , desc , id )
2019-12-15 09:51:28 +00:00
default :
}
2019-07-18 21:51:33 +00:00
log . Trace ( "Updating %s: %d" , desc , id )
_ , err = x . Exec ( "UPDATE `repository` SET num_closed_pulls=(SELECT COUNT(*) FROM `issue` WHERE repo_id=? AND is_closed=? AND is_pull=?) WHERE id=?" , id , true , true , id )
if err != nil {
log . Error ( "Update %s[%d]: %v" , desc , id , err )
}
}
}
// ***** END: Repository.NumClosedPulls *****
2016-05-28 01:23:39 +00:00
// FIXME: use checker when stop supporting old fork repo format.
2015-09-01 15:43:53 +00:00
// ***** START: Repository.NumForks *****
2016-05-28 01:23:39 +00:00
results , err = x . Query ( "SELECT repo.id FROM `repository` repo WHERE repo.num_forks!=(SELECT COUNT(*) FROM `repository` WHERE fork_id=repo.id)" )
2015-08-29 17:13:24 +00:00
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Select repository count 'num_forks': %v" , err )
2015-09-01 15:43:53 +00:00
} else {
for _ , result := range results {
2020-12-25 09:59:32 +00:00
id , _ := strconv . ParseInt ( string ( result [ "id" ] ) , 10 , 64 )
2019-12-15 09:51:28 +00:00
select {
case <- ctx . Done ( ) :
2020-05-16 23:31:38 +00:00
log . Warn ( "CheckRepoStats: Cancelled" )
return ErrCancelledf ( "during %s for repo ID %d" , desc , id )
2019-12-15 09:51:28 +00:00
default :
}
2015-09-01 15:43:53 +00:00
log . Trace ( "Updating repository count 'num_forks': %d" , id )
repo , err := GetRepositoryByID ( id )
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "GetRepositoryByID[%d]: %v" , id , err )
2015-09-01 15:43:53 +00:00
continue
}
rawResult , err := x . Query ( "SELECT COUNT(*) FROM `repository` WHERE fork_id=?" , repo . ID )
if err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "Select count of forks[%d]: %v" , repo . ID , err )
2015-09-01 15:43:53 +00:00
continue
}
repo . NumForks = int ( parseCountResult ( rawResult ) )
if err = UpdateRepository ( repo , false ) ; err != nil {
2019-04-02 07:48:31 +00:00
log . Error ( "UpdateRepository[%d]: %v" , id , err )
2015-09-01 15:43:53 +00:00
continue
}
2015-08-29 17:13:24 +00:00
}
}
2015-09-01 15:43:53 +00:00
// ***** END: Repository.NumForks *****
2020-05-16 23:31:38 +00:00
return nil
2015-03-21 12:55:00 +00:00
}
2019-01-23 18:58:38 +00:00
// SetArchiveRepoState sets if a repo is archived
func ( repo * Repository ) SetArchiveRepoState ( isArchived bool ) ( err error ) {
repo . IsArchived = isArchived
2020-07-16 21:58:46 +00:00
_ , err = x . Where ( "id = ?" , repo . ID ) . Cols ( "is_archived" ) . NoAutoTime ( ) . Update ( repo )
2019-01-23 18:58:38 +00:00
return
}
2014-10-19 05:35:24 +00:00
// ___________ __
// \_ _____/__________| | __
// | __)/ _ \_ __ \ |/ /
// | \( <_> ) | \/ <
// \___ / \____/|__| |__|_ \
// \/ \/
2015-08-08 09:24:10 +00:00
// HasForkedRepo checks if given user has already forked a repository with given ID.
func HasForkedRepo ( ownerID , repoID int64 ) ( * Repository , bool ) {
repo := new ( Repository )
2016-11-10 15:16:32 +00:00
has , _ := x .
Where ( "owner_id=? AND fork_id=?" , ownerID , repoID ) .
Get ( repo )
2015-08-08 09:24:10 +00:00
return repo , has
}
2019-11-11 15:15:29 +00:00
// CopyLFS copies LFS data from one repo to another
2020-01-12 12:11:17 +00:00
func CopyLFS ( ctx DBContext , newRepo , oldRepo * Repository ) error {
2019-11-11 15:15:29 +00:00
var lfsObjects [ ] * LFSMetaObject
2020-01-12 12:11:17 +00:00
if err := ctx . e . Where ( "repository_id=?" , oldRepo . ID ) . Find ( & lfsObjects ) ; err != nil {
2019-11-11 15:15:29 +00:00
return err
}
for _ , v := range lfsObjects {
v . ID = 0
v . RepositoryID = newRepo . ID
2020-01-12 12:11:17 +00:00
if _ , err := ctx . e . Insert ( v ) ; err != nil {
2019-11-11 15:15:29 +00:00
return err
}
}
return nil
}
2016-11-28 17:27:55 +00:00
// GetForks returns all the forks of the repository
2020-01-24 19:00:29 +00:00
func ( repo * Repository ) GetForks ( listOptions ListOptions ) ( [ ] * Repository , error ) {
if listOptions . Page == 0 {
forks := make ( [ ] * Repository , 0 , repo . NumForks )
return forks , x . Find ( & forks , & Repository { ForkID : repo . ID } )
}
sess := listOptions . getPaginatedSession ( )
forks := make ( [ ] * Repository , 0 , listOptions . PageSize )
return forks , sess . Find ( & forks , & Repository { ForkID : repo . ID } )
2015-10-01 13:17:27 +00:00
}
2016-08-11 12:48:08 +00:00
2017-02-14 14:14:29 +00:00
// GetUserFork return user forked repository from this repository, if not forked return nil
func ( repo * Repository ) GetUserFork ( userID int64 ) ( * Repository , error ) {
var forkedRepo Repository
has , err := x . Where ( "fork_id = ?" , repo . ID ) . And ( "owner_id = ?" , userID ) . Get ( & forkedRepo )
if err != nil {
return nil , err
}
if ! has {
return nil , nil
}
return & forkedRepo , nil
}
2019-05-30 02:22:26 +00:00
2019-07-08 02:14:12 +00:00
// GetOriginalURLHostname returns the hostname of a URL or the URL
func ( repo * Repository ) GetOriginalURLHostname ( ) string {
u , err := url . Parse ( repo . OriginalURL )
if err != nil {
return repo . OriginalURL
}
return u . Host
}
2019-10-29 21:32:21 +00:00
// GetTreePathLock returns LSF lock for the treePath
func ( repo * Repository ) GetTreePathLock ( treePath string ) ( * LFSLock , error ) {
if setting . LFS . StartServer {
2019-12-12 13:18:07 +00:00
locks , err := GetLFSLockByRepoID ( repo . ID , 0 , 0 )
2019-10-29 21:32:21 +00:00
if err != nil {
return nil , err
}
for _ , lock := range locks {
if lock . Path == treePath {
return lock , nil
}
}
}
return nil , nil
}
2019-11-08 22:21:00 +00:00
2019-11-25 05:17:51 +00:00
func updateRepositoryCols ( e Engine , repo * Repository , cols ... string ) error {
_ , err := e . ID ( repo . ID ) . Cols ( cols ... ) . Update ( repo )
return err
}
2019-11-08 22:21:00 +00:00
// UpdateRepositoryCols updates repository's columns
func UpdateRepositoryCols ( repo * Repository , cols ... string ) error {
2019-11-25 05:17:51 +00:00
return updateRepositoryCols ( x , repo , cols ... )
2019-11-08 22:21:00 +00:00
}
2020-07-07 19:16:34 +00:00
2020-09-19 16:44:55 +00:00
// GetTrustModel will get the TrustModel for the repo or the default trust model
func ( repo * Repository ) GetTrustModel ( ) TrustModelType {
trustModel := repo . TrustModel
if trustModel == DefaultTrustModel {
trustModel = ToTrustModel ( setting . Repository . Signing . DefaultTrustModel )
if trustModel == DefaultTrustModel {
return CollaboratorTrustModel
}
}
return trustModel
}
2020-07-07 19:16:34 +00:00
// DoctorUserStarNum recalculate Stars number for all user
func DoctorUserStarNum ( ) ( err error ) {
const batchSize = 100
sess := x . NewSession ( )
defer sess . Close ( )
for start := 0 ; ; start += batchSize {
users := make ( [ ] User , 0 , batchSize )
if err = sess . Limit ( batchSize , start ) . Where ( "type = ?" , 0 ) . Cols ( "id" ) . Find ( & users ) ; err != nil {
return
}
if len ( users ) == 0 {
break
}
if err = sess . Begin ( ) ; err != nil {
return
}
for _ , user := range users {
if _ , err = sess . Exec ( "UPDATE `user` SET num_stars=(SELECT COUNT(*) FROM `star` WHERE uid=?) WHERE id=?" , user . ID , user . ID ) ; err != nil {
return
}
}
if err = sess . Commit ( ) ; err != nil {
return
}
}
log . Debug ( "recalculate Stars number for all user finished" )
return
}
2020-10-14 13:07:51 +00:00
// IterateRepository iterate repositories
func IterateRepository ( f func ( repo * Repository ) error ) error {
var start int
2021-03-14 18:52:12 +00:00
batchSize := setting . Database . IterateBufferSize
2020-10-14 13:07:51 +00:00
for {
2021-03-14 18:52:12 +00:00
repos := make ( [ ] * Repository , 0 , batchSize )
2020-10-14 13:07:51 +00:00
if err := x . Limit ( batchSize , start ) . Find ( & repos ) ; err != nil {
return err
}
if len ( repos ) == 0 {
return nil
}
start += len ( repos )
for _ , repo := range repos {
if err := f ( repo ) ; err != nil {
return err
}
}
}
}