By using this site, you agree to have cookies stored on your device, strictly for functional purposes, such as storing your session and preferences.

Dismiss

 gitHTTP.py

View raw Download
text/x-script.python • 4.39 kiB
Python script, ASCII text executable
        
            
1
import uuid
2
3
from app import app, gitCommand, User, Repo, Commit, RepoAccess, getPermissionLevel, getVisibility, db, bcrypt
4
import os
5
import shutil
6
import config
7
import flask
8
import git
9
import subprocess
10
from flask_httpauth import HTTPBasicAuth
11
import zlib
12
import re
13
import datetime
14
15
auth = HTTPBasicAuth(realm=config.AUTH_REALM)
16
17
18
authRequired = flask.Response("Unauthorized Access", 401, {"WWW-Authenticate": 'Basic realm="Login Required"'})
19
20
21
@auth.verify_password
22
def verifyPassword(username, password):
23
user = User.query.filter_by(username=username).first()
24
25
if user and bcrypt.check_password_hash(user.passwordHashed, password):
26
flask.g.user = username
27
return True
28
29
return False
30
31
32
@app.route("/git/<username>/<repository>/git-upload-pack", methods=["POST"])
33
@auth.login_required(optional=True)
34
def gitUploadPack(username, repository):
35
if auth.current_user() is None and not getVisibility(username, repository):
36
return authRequired
37
if not (getVisibility(username, repository) or getPermissionLevel(flask.g.user, username, repository) is not None):
38
flask.abort(403)
39
40
serverRepoLocation = os.path.join(config.REPOS_PATH, username, repository, ".git")
41
text = gitCommand(serverRepoLocation, flask.request.data, "upload-pack", "--stateless-rpc", ".")
42
43
return flask.Response(text, content_type="application/x-git-upload-pack-result")
44
45
46
@app.route("/git/<username>/<repository>/git-receive-pack", methods=["POST"])
47
@auth.login_required
48
def gitReceivePack(username, repository):
49
if not getPermissionLevel(flask.g.user, username, repository):
50
flask.abort(403)
51
52
serverRepoLocation = os.path.join(config.REPOS_PATH, username, repository, ".git")
53
text = gitCommand(serverRepoLocation, flask.request.data, "receive-pack", "--stateless-rpc", ".")
54
55
sha = flask.request.data.split(b" ", 2)[1].decode()
56
info = gitCommand(serverRepoLocation, None, "show", "-s", "--format='%H%n%at%n%cn <%ce>%n%B'", sha).decode()
57
58
if re.match("^[0-9a-fA-F]{40}$", info[:40]):
59
print(info.split("\n", 3))
60
sha, time, identity, body = info.split("\n", 3)
61
login = flask.g.user
62
63
user = User.query.filter_by(username=login).first()
64
repo = Repo.query.filter_by(route=f"/{username}/{repository}").first()
65
commit = Commit(sha, user, repo, time, body, identity)
66
67
db.session.add(commit)
68
db.session.commit()
69
70
return flask.Response(text, content_type="application/x-git-receive-pack-result")
71
72
73
@app.route("/git/<username>/<repository>/info/refs", methods=["GET"])
74
@auth.login_required(optional=True)
75
def gitInfoRefs(username, repository):
76
serverRepoLocation = os.path.join(config.REPOS_PATH, username, repository, ".git")
77
78
repo = git.Repo(serverRepoLocation)
79
repoData = Repo.query.filter_by(route=f"/{username}/{repository}").first()
80
if not repoData.defaultBranch:
81
if repo.heads:
82
repoData.defaultBranch = repo.heads[0].name
83
repo.git.checkout("-f", repoData.defaultBranch)
84
85
if auth.current_user() is None and (not getVisibility(username, repository) or flask.request.args.get("service") == "git-receive-pack"):
86
return authRequired
87
try:
88
if not (getVisibility(username, repository) or getPermissionLevel(flask.g.user, username, repository) is not None):
89
flask.abort(403)
90
except AttributeError:
91
return authRequired
92
93
service = flask.request.args.get("service")
94
95
if service.startswith("git"):
96
service = service[4:]
97
else:
98
flask.abort(403)
99
100
if service == "receive-pack":
101
try:
102
if not getPermissionLevel(flask.g.user, username, repository):
103
flask.abort(403)
104
except AttributeError:
105
return authRequired
106
107
serviceLine = f"# service=git-{service}\n"
108
serviceLine = (f"{len(serviceLine) + 4:04x}" + serviceLine).encode()
109
110
if service == "upload-pack":
111
text = serviceLine + b"0000" + gitCommand(serverRepoLocation, None, "upload-pack", "--stateless-rpc", "--advertise-refs", "--http-backend-info-refs", ".")
112
elif service == "receive-pack":
113
refs = gitCommand(serverRepoLocation, None, "receive-pack", "--http-backend-info-refs", ".")
114
text = serviceLine + b"0000" + refs
115
else:
116
flask.abort(403)
117
118
response = flask.Response(text, content_type=f"application/x-git-{service}-advertisement")
119
response.headers["Cache-Control"] = "no-cache"
120
121
return response
122
123