Thzith
Thzith

Reputation: 419

GitPython create and push tags

In a python script, I try to create and push a tag to origin on a git repository. I use gitpython-1.0.2.

I am able to checkout an existing tag but have not found how to push a new tag to remote.

Many thanks

Upvotes: 12

Views: 16416

Answers (5)

Michał Łukasik
Michał Łukasik

Reputation: 87

Git supports two types of tags: lightweight and annotated. So in GitPython we also can created both types:

# create repository
repo = Repo(path)
# annotated
ref_an = repo.create_tag(tag_name, message=message))
# lightweight 
ref_lw = repo.create_tag(tag_name))

To push lightweight tag u need specify reference to tag repo.remote('origin').push(ref_lw ), but in annotated u can just use:

repo.remote('origin').push()

if configuration push.followTags = true. To set configuration programmatically

repo.config_writer().set_value('push', 'followTags', 'true').release()

Additional information about pushing commits & tags simultaneously

Upvotes: 1

rwenshen
rwenshen

Reputation: 21

tag = repo.create_tag(tagName, message=mesg)
repo.remote.origin.push(tag.path)

tag.name may be conflict with your local branch name, use tag.path here.

Upvotes: 2

Ngoc Hoang Nguyen
Ngoc Hoang Nguyen

Reputation: 19

I used the below snippet code to create a tag and push it to remote. You may need to handle exceptions by adding try ... catch block on each git operation.

repo = git.Repo(os.path.abspath(repo_path)
repo.git.tag('-a', tagname, commit, '-m', '')
repo.git.push('origin', tagname)

Upvotes: 0

Thzith
Thzith

Reputation: 419

new_tag = repo.create_tag(tag, message='Automatic tag "{0}"'.format(tag)) 

repo.remotes.origin.push(new_tag)

Upvotes: 19

Bessy George
Bessy George

Reputation: 109

To create a new tag using gitpython:

from git import Repo
obj = Repo("directory_name")
obj.create_tag("tag_name")

To push to remote

obj.remote.origin.push("tagname")

Upvotes: 8

Related Questions