You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

web.go 23KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674
  1. // Copyright 2014 The Gogs Authors. All rights reserved.
  2. // Use of this source code is governed by a MIT-style
  3. // license that can be found in the LICENSE file.
  4. package cmd
  5. import (
  6. "crypto/tls"
  7. "fmt"
  8. "io/ioutil"
  9. "net"
  10. "net/http"
  11. "net/http/fcgi"
  12. "os"
  13. "path"
  14. "strings"
  15. "github.com/go-gitea/gitea/models"
  16. "github.com/go-gitea/gitea/modules/auth"
  17. "github.com/go-gitea/gitea/modules/bindata"
  18. "github.com/go-gitea/gitea/modules/context"
  19. "github.com/go-gitea/gitea/modules/log"
  20. "github.com/go-gitea/gitea/modules/setting"
  21. "github.com/go-gitea/gitea/modules/template"
  22. "github.com/go-gitea/gitea/routers"
  23. "github.com/go-gitea/gitea/routers/admin"
  24. apiv1 "github.com/go-gitea/gitea/routers/api/v1"
  25. "github.com/go-gitea/gitea/routers/dev"
  26. "github.com/go-gitea/gitea/routers/org"
  27. "github.com/go-gitea/gitea/routers/repo"
  28. "github.com/go-gitea/gitea/routers/user"
  29. "github.com/go-macaron/binding"
  30. "github.com/go-macaron/cache"
  31. "github.com/go-macaron/captcha"
  32. "github.com/go-macaron/csrf"
  33. "github.com/go-macaron/gzip"
  34. "github.com/go-macaron/i18n"
  35. "github.com/go-macaron/session"
  36. "github.com/go-macaron/toolbox"
  37. "github.com/go-xorm/xorm"
  38. git "github.com/gogits/git-module"
  39. "github.com/urfave/cli"
  40. ini "gopkg.in/ini.v1"
  41. macaron "gopkg.in/macaron.v1"
  42. )
  43. // CmdWeb represents the available web sub-command.
  44. var CmdWeb = cli.Command{
  45. Name: "web",
  46. Usage: "Start Gogs web server",
  47. Description: `Gogs web server is the only thing you need to run,
  48. and it takes care of all the other things for you`,
  49. Action: runWeb,
  50. Flags: []cli.Flag{
  51. stringFlag("port, p", "3000", "Temporary port number to prevent conflict"),
  52. stringFlag("config, c", "custom/conf/app.ini", "Custom configuration file path"),
  53. },
  54. }
  55. // VerChecker is a listing of required dependency versions.
  56. type VerChecker struct {
  57. ImportPath string
  58. Version func() string
  59. Expected string
  60. }
  61. // checkVersion checks if binary matches the version of templates files.
  62. func checkVersion() {
  63. // Templates.
  64. data, err := ioutil.ReadFile(setting.StaticRootPath + "/templates/.VERSION")
  65. if err != nil {
  66. log.Fatal(4, "Fail to read 'templates/.VERSION': %v", err)
  67. }
  68. tplVer := string(data)
  69. if tplVer != setting.AppVer {
  70. if version.Compare(tplVer, setting.AppVer, ">") {
  71. log.Fatal(4, "Binary version is lower than template file version, did you forget to recompile Gogs?")
  72. } else {
  73. log.Fatal(4, "Binary version is higher than template file version, did you forget to update template files?")
  74. }
  75. }
  76. // Check dependency version.
  77. checkers := []VerChecker{
  78. {"github.com/go-xorm/xorm", func() string { return xorm.Version }, "0.5.5"},
  79. {"github.com/go-macaron/binding", binding.Version, "0.3.2"},
  80. {"github.com/go-macaron/cache", cache.Version, "0.1.2"},
  81. {"github.com/go-macaron/csrf", csrf.Version, "0.1.0"},
  82. {"github.com/go-macaron/i18n", i18n.Version, "0.3.0"},
  83. {"github.com/go-macaron/session", session.Version, "0.1.6"},
  84. {"github.com/go-macaron/toolbox", toolbox.Version, "0.1.0"},
  85. {"gopkg.in/ini.v1", ini.Version, "1.8.4"},
  86. {"gopkg.in/macaron.v1", macaron.Version, "1.1.7"},
  87. {"github.com/gogits/git-module", git.Version, "0.4.1"},
  88. {"github.com/gogits/go-gogs-client", gogs.Version, "0.12.1"},
  89. }
  90. for _, c := range checkers {
  91. if !version.Compare(c.Version(), c.Expected, ">=") {
  92. log.Fatal(4, `Dependency outdated!
  93. Package '%s' current version (%s) is below requirement (%s),
  94. please use following command to update this package and recompile Gogs:
  95. go get -u %[1]s`, c.ImportPath, c.Version(), c.Expected)
  96. }
  97. }
  98. }
  99. // newMacaron initializes Macaron instance.
  100. func newMacaron() *macaron.Macaron {
  101. m := macaron.New()
  102. if !setting.DisableRouterLog {
  103. m.Use(macaron.Logger())
  104. }
  105. m.Use(macaron.Recovery())
  106. if setting.EnableGzip {
  107. m.Use(gzip.Gziper())
  108. }
  109. if setting.Protocol == setting.FCGI {
  110. m.SetURLPrefix(setting.AppSubUrl)
  111. }
  112. m.Use(macaron.Static(
  113. path.Join(setting.StaticRootPath, "public"),
  114. macaron.StaticOptions{
  115. SkipLogging: setting.DisableRouterLog,
  116. },
  117. ))
  118. m.Use(macaron.Static(
  119. setting.AvatarUploadPath,
  120. macaron.StaticOptions{
  121. Prefix: "avatars",
  122. SkipLogging: setting.DisableRouterLog,
  123. },
  124. ))
  125. funcMap := template.NewFuncMap()
  126. m.Use(macaron.Renderer(macaron.RenderOptions{
  127. Directory: path.Join(setting.StaticRootPath, "templates"),
  128. AppendDirectories: []string{path.Join(setting.CustomPath, "templates")},
  129. Funcs: funcMap,
  130. IndentJSON: macaron.Env != macaron.PROD,
  131. }))
  132. models.InitMailRender(path.Join(setting.StaticRootPath, "templates/mail"),
  133. path.Join(setting.CustomPath, "templates/mail"), funcMap)
  134. localeNames, err := bindata.AssetDir("conf/locale")
  135. if err != nil {
  136. log.Fatal(4, "Fail to list locale files: %v", err)
  137. }
  138. localFiles := make(map[string][]byte)
  139. for _, name := range localeNames {
  140. localFiles[name] = bindata.MustAsset("conf/locale/" + name)
  141. }
  142. m.Use(i18n.I18n(i18n.Options{
  143. SubURL: setting.AppSubUrl,
  144. Files: localFiles,
  145. CustomDirectory: path.Join(setting.CustomPath, "conf/locale"),
  146. Langs: setting.Langs,
  147. Names: setting.Names,
  148. DefaultLang: "en-US",
  149. Redirect: true,
  150. }))
  151. m.Use(cache.Cacher(cache.Options{
  152. Adapter: setting.CacheAdapter,
  153. AdapterConfig: setting.CacheConn,
  154. Interval: setting.CacheInterval,
  155. }))
  156. m.Use(captcha.Captchaer(captcha.Options{
  157. SubURL: setting.AppSubUrl,
  158. }))
  159. m.Use(session.Sessioner(setting.SessionConfig))
  160. m.Use(csrf.Csrfer(csrf.Options{
  161. Secret: setting.SecretKey,
  162. Cookie: setting.CSRFCookieName,
  163. SetCookie: true,
  164. Header: "X-Csrf-Token",
  165. CookiePath: setting.AppSubUrl,
  166. }))
  167. m.Use(toolbox.Toolboxer(m, toolbox.Options{
  168. HealthCheckFuncs: []*toolbox.HealthCheckFuncDesc{
  169. &toolbox.HealthCheckFuncDesc{
  170. Desc: "Database connection",
  171. Func: models.Ping,
  172. },
  173. },
  174. }))
  175. m.Use(context.Contexter())
  176. return m
  177. }
  178. func runWeb(ctx *cli.Context) error {
  179. if ctx.IsSet("config") {
  180. setting.CustomConf = ctx.String("config")
  181. }
  182. routers.GlobalInit()
  183. checkVersion()
  184. m := newMacaron()
  185. reqSignIn := context.Toggle(&context.ToggleOptions{SignInRequired: true})
  186. ignSignIn := context.Toggle(&context.ToggleOptions{SignInRequired: setting.Service.RequireSignInView})
  187. ignSignInAndCsrf := context.Toggle(&context.ToggleOptions{DisableCSRF: true})
  188. reqSignOut := context.Toggle(&context.ToggleOptions{SignOutRequired: true})
  189. bindIgnErr := binding.BindIgnErr
  190. // FIXME: not all routes need go through same middlewares.
  191. // Especially some AJAX requests, we can reduce middleware number to improve performance.
  192. // Routers.
  193. m.Get("/", ignSignIn, routers.Home)
  194. m.Group("/explore", func() {
  195. m.Get("", func(ctx *context.Context) {
  196. ctx.Redirect(setting.AppSubUrl + "/explore/repos")
  197. })
  198. m.Get("/repos", routers.ExploreRepos)
  199. m.Get("/users", routers.ExploreUsers)
  200. m.Get("/organizations", routers.ExploreOrganizations)
  201. }, ignSignIn)
  202. m.Combo("/install", routers.InstallInit).Get(routers.Install).
  203. Post(bindIgnErr(auth.InstallForm{}), routers.InstallPost)
  204. m.Get("/^:type(issues|pulls)$", reqSignIn, user.Issues)
  205. // ***** START: User *****
  206. m.Group("/user", func() {
  207. m.Get("/login", user.SignIn)
  208. m.Post("/login", bindIgnErr(auth.SignInForm{}), user.SignInPost)
  209. m.Get("/sign_up", user.SignUp)
  210. m.Post("/sign_up", bindIgnErr(auth.RegisterForm{}), user.SignUpPost)
  211. m.Get("/reset_password", user.ResetPasswd)
  212. m.Post("/reset_password", user.ResetPasswdPost)
  213. }, reqSignOut)
  214. m.Group("/user/settings", func() {
  215. m.Get("", user.Settings)
  216. m.Post("", bindIgnErr(auth.UpdateProfileForm{}), user.SettingsPost)
  217. m.Combo("/avatar").Get(user.SettingsAvatar).
  218. Post(binding.MultipartForm(auth.AvatarForm{}), user.SettingsAvatarPost)
  219. m.Post("/avatar/delete", user.SettingsDeleteAvatar)
  220. m.Combo("/email").Get(user.SettingsEmails).
  221. Post(bindIgnErr(auth.AddEmailForm{}), user.SettingsEmailPost)
  222. m.Post("/email/delete", user.DeleteEmail)
  223. m.Get("/password", user.SettingsPassword)
  224. m.Post("/password", bindIgnErr(auth.ChangePasswordForm{}), user.SettingsPasswordPost)
  225. m.Combo("/ssh").Get(user.SettingsSSHKeys).
  226. Post(bindIgnErr(auth.AddSSHKeyForm{}), user.SettingsSSHKeysPost)
  227. m.Post("/ssh/delete", user.DeleteSSHKey)
  228. m.Combo("/applications").Get(user.SettingsApplications).
  229. Post(bindIgnErr(auth.NewAccessTokenForm{}), user.SettingsApplicationsPost)
  230. m.Post("/applications/delete", user.SettingsDeleteApplication)
  231. m.Route("/delete", "GET,POST", user.SettingsDelete)
  232. }, reqSignIn, func(ctx *context.Context) {
  233. ctx.Data["PageIsUserSettings"] = true
  234. })
  235. m.Group("/user", func() {
  236. // r.Get("/feeds", binding.Bind(auth.FeedsForm{}), user.Feeds)
  237. m.Any("/activate", user.Activate)
  238. m.Any("/activate_email", user.ActivateEmail)
  239. m.Get("/email2user", user.Email2User)
  240. m.Get("/forget_password", user.ForgotPasswd)
  241. m.Post("/forget_password", user.ForgotPasswdPost)
  242. m.Get("/logout", user.SignOut)
  243. })
  244. // ***** END: User *****
  245. adminReq := context.Toggle(&context.ToggleOptions{SignInRequired: true, AdminRequired: true})
  246. // ***** START: Admin *****
  247. m.Group("/admin", func() {
  248. m.Get("", adminReq, admin.Dashboard)
  249. m.Get("/config", admin.Config)
  250. m.Post("/config/test_mail", admin.SendTestMail)
  251. m.Get("/monitor", admin.Monitor)
  252. m.Group("/users", func() {
  253. m.Get("", admin.Users)
  254. m.Combo("/new").Get(admin.NewUser).Post(bindIgnErr(auth.AdminCrateUserForm{}), admin.NewUserPost)
  255. m.Combo("/:userid").Get(admin.EditUser).Post(bindIgnErr(auth.AdminEditUserForm{}), admin.EditUserPost)
  256. m.Post("/:userid/delete", admin.DeleteUser)
  257. })
  258. m.Group("/orgs", func() {
  259. m.Get("", admin.Organizations)
  260. })
  261. m.Group("/repos", func() {
  262. m.Get("", admin.Repos)
  263. m.Post("/delete", admin.DeleteRepo)
  264. })
  265. m.Group("/auths", func() {
  266. m.Get("", admin.Authentications)
  267. m.Combo("/new").Get(admin.NewAuthSource).Post(bindIgnErr(auth.AuthenticationForm{}), admin.NewAuthSourcePost)
  268. m.Combo("/:authid").Get(admin.EditAuthSource).
  269. Post(bindIgnErr(auth.AuthenticationForm{}), admin.EditAuthSourcePost)
  270. m.Post("/:authid/delete", admin.DeleteAuthSource)
  271. })
  272. m.Group("/notices", func() {
  273. m.Get("", admin.Notices)
  274. m.Post("/delete", admin.DeleteNotices)
  275. m.Get("/empty", admin.EmptyNotices)
  276. })
  277. }, adminReq)
  278. // ***** END: Admin *****
  279. m.Group("", func() {
  280. m.Group("/:username", func() {
  281. m.Get("", user.Profile)
  282. m.Get("/followers", user.Followers)
  283. m.Get("/following", user.Following)
  284. m.Get("/stars", user.Stars)
  285. })
  286. m.Get("/attachments/:uuid", func(ctx *context.Context) {
  287. attach, err := models.GetAttachmentByUUID(ctx.Params(":uuid"))
  288. if err != nil {
  289. if models.IsErrAttachmentNotExist(err) {
  290. ctx.Error(404)
  291. } else {
  292. ctx.Handle(500, "GetAttachmentByUUID", err)
  293. }
  294. return
  295. }
  296. fr, err := os.Open(attach.LocalPath())
  297. if err != nil {
  298. ctx.Handle(500, "Open", err)
  299. return
  300. }
  301. defer fr.Close()
  302. ctx.Header().Set("Cache-Control", "public,max-age=86400")
  303. ctx.Header().Set("Content-Disposition", fmt.Sprintf(`inline; filename="%s"`, attach.Name))
  304. // Fix #312. Attachments with , in their name are not handled correctly by Google Chrome.
  305. // We must put the name in " manually.
  306. if err = repo.ServeData(ctx, "\""+attach.Name+"\"", fr); err != nil {
  307. ctx.Handle(500, "ServeData", err)
  308. return
  309. }
  310. })
  311. m.Post("/issues/attachments", repo.UploadIssueAttachment)
  312. }, ignSignIn)
  313. m.Group("/:username", func() {
  314. m.Get("/action/:action", user.Action)
  315. }, reqSignIn)
  316. if macaron.Env == macaron.DEV {
  317. m.Get("/template/*", dev.TemplatePreview)
  318. }
  319. reqRepoAdmin := context.RequireRepoAdmin()
  320. reqRepoWriter := context.RequireRepoWriter()
  321. // ***** START: Organization *****
  322. m.Group("/org", func() {
  323. m.Get("/create", org.Create)
  324. m.Post("/create", bindIgnErr(auth.CreateOrgForm{}), org.CreatePost)
  325. m.Group("/:org", func() {
  326. m.Get("/dashboard", user.Dashboard)
  327. m.Get("/^:type(issues|pulls)$", user.Issues)
  328. m.Get("/members", org.Members)
  329. m.Get("/members/action/:action", org.MembersAction)
  330. m.Get("/teams", org.Teams)
  331. }, context.OrgAssignment(true))
  332. m.Group("/:org", func() {
  333. m.Get("/teams/:team", org.TeamMembers)
  334. m.Get("/teams/:team/repositories", org.TeamRepositories)
  335. m.Route("/teams/:team/action/:action", "GET,POST", org.TeamsAction)
  336. m.Route("/teams/:team/action/repo/:action", "GET,POST", org.TeamsRepoAction)
  337. }, context.OrgAssignment(true, false, true))
  338. m.Group("/:org", func() {
  339. m.Get("/teams/new", org.NewTeam)
  340. m.Post("/teams/new", bindIgnErr(auth.CreateTeamForm{}), org.NewTeamPost)
  341. m.Get("/teams/:team/edit", org.EditTeam)
  342. m.Post("/teams/:team/edit", bindIgnErr(auth.CreateTeamForm{}), org.EditTeamPost)
  343. m.Post("/teams/:team/delete", org.DeleteTeam)
  344. m.Group("/settings", func() {
  345. m.Combo("").Get(org.Settings).
  346. Post(bindIgnErr(auth.UpdateOrgSettingForm{}), org.SettingsPost)
  347. m.Post("/avatar", binding.MultipartForm(auth.AvatarForm{}), org.SettingsAvatar)
  348. m.Post("/avatar/delete", org.SettingsDeleteAvatar)
  349. m.Group("/hooks", func() {
  350. m.Get("", org.Webhooks)
  351. m.Post("/delete", org.DeleteWebhook)
  352. m.Get("/:type/new", repo.WebhooksNew)
  353. m.Post("/gogs/new", bindIgnErr(auth.NewWebhookForm{}), repo.WebHooksNewPost)
  354. m.Post("/slack/new", bindIgnErr(auth.NewSlackHookForm{}), repo.SlackHooksNewPost)
  355. m.Get("/:id", repo.WebHooksEdit)
  356. m.Post("/gogs/:id", bindIgnErr(auth.NewWebhookForm{}), repo.WebHooksEditPost)
  357. m.Post("/slack/:id", bindIgnErr(auth.NewSlackHookForm{}), repo.SlackHooksEditPost)
  358. })
  359. m.Route("/delete", "GET,POST", org.SettingsDelete)
  360. })
  361. m.Route("/invitations/new", "GET,POST", org.Invitation)
  362. }, context.OrgAssignment(true, true))
  363. }, reqSignIn)
  364. // ***** END: Organization *****
  365. // ***** START: Repository *****
  366. m.Group("/repo", func() {
  367. m.Get("/create", repo.Create)
  368. m.Post("/create", bindIgnErr(auth.CreateRepoForm{}), repo.CreatePost)
  369. m.Get("/migrate", repo.Migrate)
  370. m.Post("/migrate", bindIgnErr(auth.MigrateRepoForm{}), repo.MigratePost)
  371. m.Combo("/fork/:repoid").Get(repo.Fork).
  372. Post(bindIgnErr(auth.CreateRepoForm{}), repo.ForkPost)
  373. }, reqSignIn)
  374. m.Group("/:username/:reponame", func() {
  375. m.Group("/settings", func() {
  376. m.Combo("").Get(repo.Settings).
  377. Post(bindIgnErr(auth.RepoSettingForm{}), repo.SettingsPost)
  378. m.Group("/collaboration", func() {
  379. m.Combo("").Get(repo.Collaboration).Post(repo.CollaborationPost)
  380. m.Post("/access_mode", repo.ChangeCollaborationAccessMode)
  381. m.Post("/delete", repo.DeleteCollaboration)
  382. })
  383. m.Group("/hooks", func() {
  384. m.Get("", repo.Webhooks)
  385. m.Post("/delete", repo.DeleteWebhook)
  386. m.Get("/:type/new", repo.WebhooksNew)
  387. m.Post("/gogs/new", bindIgnErr(auth.NewWebhookForm{}), repo.WebHooksNewPost)
  388. m.Post("/slack/new", bindIgnErr(auth.NewSlackHookForm{}), repo.SlackHooksNewPost)
  389. m.Get("/:id", repo.WebHooksEdit)
  390. m.Post("/:id/test", repo.TestWebhook)
  391. m.Post("/gogs/:id", bindIgnErr(auth.NewWebhookForm{}), repo.WebHooksEditPost)
  392. m.Post("/slack/:id", bindIgnErr(auth.NewSlackHookForm{}), repo.SlackHooksEditPost)
  393. m.Group("/git", func() {
  394. m.Get("", repo.GitHooks)
  395. m.Combo("/:name").Get(repo.GitHooksEdit).
  396. Post(repo.GitHooksEditPost)
  397. }, context.GitHookService())
  398. })
  399. m.Group("/keys", func() {
  400. m.Combo("").Get(repo.DeployKeys).
  401. Post(bindIgnErr(auth.AddSSHKeyForm{}), repo.DeployKeysPost)
  402. m.Post("/delete", repo.DeleteDeployKey)
  403. })
  404. }, func(ctx *context.Context) {
  405. ctx.Data["PageIsSettings"] = true
  406. })
  407. }, reqSignIn, context.RepoAssignment(), reqRepoAdmin, context.RepoRef())
  408. m.Get("/:username/:reponame/action/:action", reqSignIn, context.RepoAssignment(), repo.Action)
  409. m.Group("/:username/:reponame", func() {
  410. // FIXME: should use different URLs but mostly same logic for comments of issue and pull reuqest.
  411. // So they can apply their own enable/disable logic on routers.
  412. m.Group("/issues", func() {
  413. m.Combo("/new", repo.MustEnableIssues).Get(context.RepoRef(), repo.NewIssue).
  414. Post(bindIgnErr(auth.CreateIssueForm{}), repo.NewIssuePost)
  415. m.Group("/:index", func() {
  416. m.Post("/label", repo.UpdateIssueLabel)
  417. m.Post("/milestone", repo.UpdateIssueMilestone)
  418. m.Post("/assignee", repo.UpdateIssueAssignee)
  419. }, reqRepoWriter)
  420. m.Group("/:index", func() {
  421. m.Post("/title", repo.UpdateIssueTitle)
  422. m.Post("/content", repo.UpdateIssueContent)
  423. m.Combo("/comments").Post(bindIgnErr(auth.CreateCommentForm{}), repo.NewComment)
  424. })
  425. })
  426. m.Group("/comments/:id", func() {
  427. m.Post("", repo.UpdateCommentContent)
  428. m.Post("/delete", repo.DeleteComment)
  429. })
  430. m.Group("/labels", func() {
  431. m.Post("/new", bindIgnErr(auth.CreateLabelForm{}), repo.NewLabel)
  432. m.Post("/edit", bindIgnErr(auth.CreateLabelForm{}), repo.UpdateLabel)
  433. m.Post("/delete", repo.DeleteLabel)
  434. m.Post("/initialize", bindIgnErr(auth.InitializeLabelsForm{}), repo.InitializeLabels)
  435. }, reqRepoWriter, context.RepoRef())
  436. m.Group("/milestones", func() {
  437. m.Combo("/new").Get(repo.NewMilestone).
  438. Post(bindIgnErr(auth.CreateMilestoneForm{}), repo.NewMilestonePost)
  439. m.Get("/:id/edit", repo.EditMilestone)
  440. m.Post("/:id/edit", bindIgnErr(auth.CreateMilestoneForm{}), repo.EditMilestonePost)
  441. m.Get("/:id/:action", repo.ChangeMilestonStatus)
  442. m.Post("/delete", repo.DeleteMilestone)
  443. }, reqRepoWriter, context.RepoRef())
  444. m.Group("/releases", func() {
  445. m.Get("/new", repo.NewRelease)
  446. m.Post("/new", bindIgnErr(auth.NewReleaseForm{}), repo.NewReleasePost)
  447. m.Post("/delete", repo.DeleteRelease)
  448. }, reqRepoWriter, context.RepoRef())
  449. m.Group("/releases", func() {
  450. m.Get("/edit/*", repo.EditRelease)
  451. m.Post("/edit/*", bindIgnErr(auth.EditReleaseForm{}), repo.EditReleasePost)
  452. }, reqRepoWriter, func(ctx *context.Context) {
  453. var err error
  454. ctx.Repo.Commit, err = ctx.Repo.GitRepo.GetBranchCommit(ctx.Repo.Repository.DefaultBranch)
  455. if err != nil {
  456. ctx.Handle(500, "GetBranchCommit", err)
  457. return
  458. }
  459. ctx.Repo.CommitsCount, err = ctx.Repo.Commit.CommitsCount()
  460. if err != nil {
  461. ctx.Handle(500, "CommitsCount", err)
  462. return
  463. }
  464. ctx.Data["CommitsCount"] = ctx.Repo.CommitsCount
  465. })
  466. m.Combo("/compare/*", repo.MustAllowPulls).Get(repo.CompareAndPullRequest).
  467. Post(bindIgnErr(auth.CreateIssueForm{}), repo.CompareAndPullRequestPost)
  468. m.Group("", func() {
  469. m.Combo("/_edit/*").Get(repo.EditFile).
  470. Post(bindIgnErr(auth.EditRepoFileForm{}), repo.EditFilePost)
  471. m.Combo("/_new/*").Get(repo.NewFile).
  472. Post(bindIgnErr(auth.EditRepoFileForm{}), repo.NewFilePost)
  473. m.Post("/_preview/*", bindIgnErr(auth.EditPreviewDiffForm{}), repo.DiffPreviewPost)
  474. m.Combo("/_delete/*").Get(repo.DeleteFile).
  475. Post(bindIgnErr(auth.DeleteRepoFileForm{}), repo.DeleteFilePost)
  476. m.Group("", func() {
  477. m.Combo("/_upload/*").Get(repo.UploadFile).
  478. Post(bindIgnErr(auth.UploadRepoFileForm{}), repo.UploadFilePost)
  479. m.Post("/upload-file", repo.UploadFileToServer)
  480. m.Post("/upload-remove", bindIgnErr(auth.RemoveUploadFileForm{}), repo.RemoveUploadFileFromServer)
  481. }, func(ctx *context.Context) {
  482. if !setting.Repository.Upload.Enabled {
  483. ctx.Handle(404, "", nil)
  484. return
  485. }
  486. })
  487. }, reqRepoWriter, context.RepoRef(), func(ctx *context.Context) {
  488. if !ctx.Repo.Repository.CanEnableEditor() || ctx.Repo.IsViewCommit {
  489. ctx.Handle(404, "", nil)
  490. return
  491. }
  492. })
  493. }, reqSignIn, context.RepoAssignment(), repo.MustBeNotBare)
  494. m.Group("/:username/:reponame", func() {
  495. m.Group("", func() {
  496. m.Get("/releases", repo.Releases)
  497. m.Get("/^:type(issues|pulls)$", repo.RetrieveLabels, repo.Issues)
  498. m.Get("/^:type(issues|pulls)$/:index", repo.ViewIssue)
  499. m.Get("/labels/", repo.RetrieveLabels, repo.Labels)
  500. m.Get("/milestones", repo.Milestones)
  501. }, context.RepoRef())
  502. // m.Get("/branches", repo.Branches)
  503. m.Group("/wiki", func() {
  504. m.Get("/?:page", repo.Wiki)
  505. m.Get("/_pages", repo.WikiPages)
  506. m.Group("", func() {
  507. m.Combo("/_new").Get(repo.NewWiki).
  508. Post(bindIgnErr(auth.NewWikiForm{}), repo.NewWikiPost)
  509. m.Combo("/:page/_edit").Get(repo.EditWiki).
  510. Post(bindIgnErr(auth.NewWikiForm{}), repo.EditWikiPost)
  511. m.Post("/:page/delete", repo.DeleteWikiPagePost)
  512. }, reqSignIn, reqRepoWriter)
  513. }, repo.MustEnableWiki, context.RepoRef())
  514. m.Get("/archive/*", repo.Download)
  515. m.Group("/pulls/:index", func() {
  516. m.Get("/commits", context.RepoRef(), repo.ViewPullCommits)
  517. m.Get("/files", context.RepoRef(), repo.ViewPullFiles)
  518. m.Post("/merge", reqRepoWriter, repo.MergePullRequest)
  519. }, repo.MustAllowPulls)
  520. m.Group("", func() {
  521. m.Get("/src/*", repo.Home)
  522. m.Get("/raw/*", repo.SingleDownload)
  523. m.Get("/commits/*", repo.RefCommits)
  524. m.Get("/commit/:sha([a-f0-9]{7,40})$", repo.Diff)
  525. m.Get("/forks", repo.Forks)
  526. }, context.RepoRef())
  527. m.Get("/commit/:sha([a-f0-9]{7,40})\\.:ext(patch|diff)", repo.RawDiff)
  528. m.Get("/compare/:before([a-z0-9]{40})\\.\\.\\.:after([a-z0-9]{40})", repo.CompareDiff)
  529. }, ignSignIn, context.RepoAssignment(), repo.MustBeNotBare)
  530. m.Group("/:username/:reponame", func() {
  531. m.Get("/stars", repo.Stars)
  532. m.Get("/watchers", repo.Watchers)
  533. }, ignSignIn, context.RepoAssignment(), context.RepoRef())
  534. m.Group("/:username", func() {
  535. m.Group("/:reponame", func() {
  536. m.Get("", repo.Home)
  537. m.Get("\\.git$", repo.Home)
  538. }, ignSignIn, context.RepoAssignment(true), context.RepoRef())
  539. m.Group("/:reponame", func() {
  540. m.Any("/*", ignSignInAndCsrf, repo.HTTP)
  541. m.Head("/tasks/trigger", repo.TriggerTask)
  542. })
  543. })
  544. // ***** END: Repository *****
  545. m.Group("/api", func() {
  546. apiv1.RegisterRoutes(m)
  547. }, ignSignIn)
  548. // robots.txt
  549. m.Get("/robots.txt", func(ctx *context.Context) {
  550. if setting.HasRobotsTxt {
  551. ctx.ServeFileContent(path.Join(setting.CustomPath, "robots.txt"))
  552. } else {
  553. ctx.Error(404)
  554. }
  555. })
  556. // Not found handler.
  557. m.NotFound(routers.NotFound)
  558. // Flag for port number in case first time run conflict.
  559. if ctx.IsSet("port") {
  560. setting.AppUrl = strings.Replace(setting.AppUrl, setting.HTTPPort, ctx.String("port"), 1)
  561. setting.HTTPPort = ctx.String("port")
  562. }
  563. var listenAddr string
  564. if setting.Protocol == setting.UNIX_SOCKET {
  565. listenAddr = fmt.Sprintf("%s", setting.HTTPAddr)
  566. } else {
  567. listenAddr = fmt.Sprintf("%s:%s", setting.HTTPAddr, setting.HTTPPort)
  568. }
  569. log.Info("Listen: %v://%s%s", setting.Protocol, listenAddr, setting.AppSubUrl)
  570. var err error
  571. switch setting.Protocol {
  572. case setting.HTTP:
  573. err = http.ListenAndServe(listenAddr, m)
  574. case setting.HTTPS:
  575. server := &http.Server{Addr: listenAddr, TLSConfig: &tls.Config{MinVersion: tls.VersionTLS10}, Handler: m}
  576. err = server.ListenAndServeTLS(setting.CertFile, setting.KeyFile)
  577. case setting.FCGI:
  578. err = fcgi.Serve(nil, m)
  579. case setting.UNIX_SOCKET:
  580. os.Remove(listenAddr)
  581. var listener *net.UnixListener
  582. listener, err = net.ListenUnix("unix", &net.UnixAddr{Name: listenAddr, Net: "unix"})
  583. if err != nil {
  584. break // Handle error after switch
  585. }
  586. // FIXME: add proper implementation of signal capture on all protocols
  587. // execute this on SIGTERM or SIGINT: listener.Close()
  588. if err = os.Chmod(listenAddr, os.FileMode(setting.UnixSocketPermission)); err != nil {
  589. log.Fatal(4, "Failed to set permission of unix socket: %v", err)
  590. }
  591. err = http.Serve(listener, m)
  592. default:
  593. log.Fatal(4, "Invalid protocol: %s", setting.Protocol)
  594. }
  595. if err != nil {
  596. log.Fatal(4, "Fail to start server: %v", err)
  597. }
  598. return nil
  599. }