1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298
|
# -* coding: utf-8 -*-
"""
This is a Class which allows one to manipulate a git repository.
"""
#external imports
import os
import tempfile
import sys
import errno
#internal imports
from subuserlib.classes.userOwnedObject import UserOwnedObject
from subuserlib.classes.fileStructure import FileStructure
import subuserlib.executablePath
import subuserlib.test
if subuserlib.test.testing:
hashtestDir = subuserlib.test.hashtestDir
def getUser():
return subuserlib.test.getUser()
gitExecutable = None
class GitRepository(UserOwnedObject):
def __init__(self,user,path):
UserOwnedObject.__init__(self,user)
self.path = path
self.__gitExecutable = None
def getGitExecutable(self):
global gitExecutable
if gitExecutable is None:
gitExecutable = [subuserlib.executablePath.which("git",excludeDir=self.user.config["bin-dir"])]
if gitExecutable is None:
sys.exit("Git is not installed. Subuser requires git to run.")
return gitExecutable
def assertGitSetup(self):
self.getGitExecutable()
def getConfig(key):
(returncode,stdout,stderr) = self.user.endUser.callCollectOutput(gitExecutable + ["config","--get",key])
if returncode == 0:
return stdout
else:
return None
if getConfig("user.name") is None or getConfig("user.email") is None:
sys.exit("""You must configure git's user.name and user.email options before using subuser.
Do so by running
$ git config --global user.name "John Doe"
$ git config --global user.email johndoe@example.com
""")
def clone(self,origin):
"""
Clone an external repository in order to create this repository.
"""
return self.user.endUser.call(self.getGitExecutable()+["clone", origin, self.path])
def run(self,args):
"""
Run git with the given command line arguments.
"""
try:
gitArgs = self.getGitExecutable()+args
(returncode,stdout,stderr) = self.user.endUser.callCollectOutput(gitArgs,cwd=self.path)
self.user.registry.log(self.path+": "+" ".join(gitArgs),verbosityLevel=3)
self.user.registry.log(stdout,verbosityLevel=3)
self.user.registry.log(stderr,verbosityLevel=3)
if stderr:
raise GitException(stderr)
return returncode
except OSError as e:
if e.errno == errno.EEXIST:
sys.exit("You must have git installed to use subuser.")
else:
raise e
def runShowOutput(self,args):
self.user.endUser.call(self.getGitExecutable()+args,cwd=self.path)
def runCollectOutput(self,args,eatStderr=False):
"""
Run git with the given command line arguments and return a tuple with (returncode,output).
"""
try:
gitArgs = self.getGitExecutable()+args
(returncode,stdout,stderr) = self.user.endUser.callCollectOutput(gitArgs,cwd=self.path)
self.user.registry.log(self.path+": "+" ".join(gitArgs),verbosityLevel=3)
self.user.registry.log(stderr,verbosityLevel=3)
if stderr and not eatStderr:
raise GitException(stderr)
return (returncode,stdout)
except OSError as e:
if e.errno == errno.EEXIST:
sys.exit("You must have git installed to use subuser.")
else:
raise e
def doesCommitExist(self,commit):
"""
Return true if the commit or reference exists.
"""
try:
(returncode,stdout) = self.runCollectOutput(["cat-file","-t",commit])
except GitException:
return False
if returncode == 0 and "commit" in stdout:
return True
else:
return False
def getFileStructureAtCommit(self,commit):
"""
Get a ``FileStructure`` object which relates to the given git commit.
"""
return GitFileStructure(self,commit)
def commit(self,message):
"""
Run git commit with the given commit message.
"""
return self.run(["commit","--message",message])
def checkout(self,commit,files=[]):
"""
Run git checkout
"""
self.run(["checkout",commit]+files)
def getHashOfRef(self,ref):
command = ["show-ref","-s",ref]
(returncode,output) = self.runCollectOutput(command)
if returncode != 0:
raise OSError("Running git in "+self.path+" with args "+str(command)+" failed.")
return output.strip()
class GitFileStructure(FileStructure):
def __init__(self,gitRepository,commit):
"""
Initialize the file structure.
Here we setup test stuff:
>>> import subuserlib.subprocessExtras
>>> import subuserlib.classes.gitRepository
>>> subuserlib.subprocessExtras.call(["git","init"],cwd=subuserlib.classes.gitRepository.hashtestDir)
0
>>> subuserlib.subprocessExtras.call(["git","add","."],cwd=subuserlib.classes.gitRepository.hashtestDir)
0
>>> subuserlib.subprocessExtras.call(["git","commit","-m","Initial commit"],cwd=subuserlib.classes.gitRepository.hashtestDir)
0
"""
self.gitRepository = gitRepository
self.commit = commit
self.__lsTreeCache = {}
def lsTree(self):
"""
Returns a list of tuples of the form:
(mode,type,hash,path)
Coresponding to the items found in the subfolder.
"""
args = [self.commit,"-rtl"]
argsTuple = tuple(args)
try:
return self.__lsTreeCache[argsTuple]
except KeyError:
pass
(returncode,output) = self.gitRepository.runCollectOutput(["ls-tree"]+args)
if returncode != 0:
return [] # It is simpler to just return [] here than to check if the repository is properly initialized everywhere else.
lines = output.splitlines()
items = []
for line in lines:
mode,objectType,objectHash,size,path = line.split(maxsplit=4)
line = {"mode":mode,"type":objectType,"hash":objectHash,"size":size,"path":path}
items.append(line)
self.__lsTreeCache[argsTuple] = items
return items
def _ls(self, subfolder,objectType=None):
"""
Returns a list of file and folder names.
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(",".join(fileStructure.ls("./")))
bar,blah
"""
if subfolder == "./" or subfolder == "/":
subfolder = ""
items = self.lsTree()
names = []
for item in items:
folder,name = os.path.split(item["path"])
if os.path.normpath(folder) == os.path.normpath(subfolder):
if objectType is None or objectType == item["type"]:
names.append(name)
return names
def _lsFiles(self,subfolder):
"""
Returns a list of paths to files in the subfolder.
Paths are relative to the repository as a whole.
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(",".join(fileStructure.lsFiles("./")))
blah
"""
return self.ls(subfolder,"blob")
def _lsFolders(self,subfolder):
"""
Returns a list of paths to folders in the subfolder.
Paths are relative to the repository as a whole.
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(",".join(fileStructure.lsFolders("./")))
bar
"""
return self.ls(subfolder,"tree")
def _exists(self,path):
"""
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> fileStructure.exists("./blah")
True
>>> fileStructure.exists("./non-existant")
False
"""
(dir,filename) = os.path.split(path)
for object in self.lsTree():
(_,existing_filename) = os.path.split(object["path"])
if filename == existing_filename:
return True
return False
def _read(self,path):
"""
Returns the contents of the given file at the given commit.
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(fileStructure.read("./blah"))
blahblah
<BLANKLINE>
"""
(errorcode,content) = self.gitRepository.runCollectOutput(["show",self.commit+":"+path],eatStderr=True)
if errorcode != 0:
raise OSError("Git show exited with error "+str(errorcode)+". File does not exist.\nRepo:"+self.gitRepository.path+"\nPath: "+path+"\nCommit: "+self.commit+"\n")
return content
def _readBinary(self,path):
return self.read(path).encode()
def _getMode(self,path):
"""
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(fileStructure.getModeString("./blah"))
100644
"""
allObjects = self.lsTree()
for treeObject in allObjects:
if os.path.normpath(treeObject["path"]) == os.path.normpath(path):
return int(treeObject["mode"],8)
def _getSize(self,path):
"""
>>> from subuserlib.classes.gitRepository import GitRepository
>>> gitRepository = GitRepository(subuserlib.classes.gitRepository.getUser(),subuserlib.classes.gitRepository.hashtestDir)
>>> fileStructure = gitRepository.getFileStructureAtCommit("master")
>>> print(fileStructure.getSize("./blah"))
9
"""
allObjects = self.lsTree()
for treeObject in allObjects:
if os.path.normpath(treeObject["path"]) == os.path.normpath(path):
return int(treeObject["size"],10)
def isLegalSymlink(self,path):
"""
There shouldn't be any risk involved with symlinks in git,
since git already reads only files which have been checked in.
"""
return True
class GitException(Exception):
pass
|