Como manter uma pasta local ~ / bin atualizada com atualizações de vários repositórios do Github?

4

~/bin contém vários scripts que eu baixei de vários repositórios do Github para os quais os repositórios padrão do Ubuntu não fornecem a versão mais recente e / ou os PPAs não existem.

Quais são as boas maneiras de manter todos esses scripts automaticamente atualizados e sincronizados com as versões mais recentes de seus respectivos repositórios do Github?

    
por orschiro 19.04.2016 / 14:35

1 resposta

2

Solução simples

O que você quer fazer essencialmente é executar git fetch && git pull dentro de cada uma das pastas do repositório dentro de ~/bin . A maneira mais simples é adicionar este comando a Startup Applications:

find /home/user/bin  -type d -exec sh -c 'cd {} && git fetch && git pull' \;  2> /dev/null

Observe que /home/user/bin deve ser o caminho completo para a sua pasta ~/bin .

Script em Python

Mas se você quiser um utilitário dedicado a essa tarefa, aqui está um script python que atualiza tudo em seu ~/bin recursivamente. O uso é simples - execute-o no terminal como python git_updater.py e ele cuidará do resto. Esse mesmo comando pode ser adicionado como entrada para Startup Applications para executar o script cada vez que você efetuar login

A fonte do script está abaixo e também está disponível no meu repositório do GitHub .

#!/usr/bin/env python3
# Author: Serg Kolo
# Date: 10/21/2016
# Written for: https://askubuntu.com/q/759058/295286
from __future__ import print_function
import subprocess
import os

def run_cmd(cmdlist,workdir):
     """ utility: reusable function for 
         running external commands """
     new_env = dict(os.environ)
     new_env['LC_ALL'] = 'C'
     try:
         stdout = subprocess.check_output(
                    cmdlist, 
                    env=new_env,
                    cwd=workdir
         )
     except subprocess.CalledProcessError:
         pass
     else:
         if stdout:
             return stdout

def is_behind(cwd):
    """ simple wrapper for checking
        git status output
    """
    fetch = run_cmd(['git','fetch','origin','master'],cwd)
    status = run_cmd(['git','status'],cwd)
    if 'Your branch is behind' in status.decode():
        return True

def update(cwd):
    print('> previous commit:')
    print(run_cmd(['git','--no-pager','log','-1'],cwd).decode())
    print(run_cmd(['git','pull'],cwd).decode())
    print('> latest commit:')
    print(run_cmd(['git','--no-pager','log','-1'],cwd).decode())

def main():
    root_dir = os.path.join(os.path.expanduser('~'),'bin/')
    base_cmd = ['git','--no-pager']
    first_args = ['status']
    second_args = ['log','-1']
    third_args = ['pull']

    for root,dirs,files in os.walk(root_dir):
        for dir in dirs:
            top_dir = os.path.join(root,dir)
            git_dir = os.path.join(top_dir,'.git')
            if os.path.exists(git_dir):
                print('WORKING REPOSITORY:' + top_dir)
                if is_behind(top_dir):
                    print('repository is behind, will update')
                    update(top_dir)
                else:
                    print('not behind, skipped')
                print('-'*80)

if __name__ == '__main__': main()

Demonstração de script

$ python git_updater.py                                                       
WORKING REPOSITORY:/home/xieerqi/bin/sergrep
From https://github.com/SergKolo/sergrep
 * branch            master     -> FETCH_HEAD
repository is behind, will update
> previous commit:
commit ba629ef71c4d2bfe329b8ebe5f48d1ce21e76ebc
Author: SergKolo <[email protected]>
Date:   Wed Aug 24 21:22:06 2016 -0600

    fixed sending sigterm to process

Updating ba629ef..dd0c962
Fast-forward
 disable_super_key.py   |   2 +-
 git_updater.py         |  61 ++++++++++++
 launcherctl.py         | 162 +++++++++++++++++++++++++++++++
 single_window_expo.py  | 138 ++++++++++++++++++++++++++
 windowctrl.py          | 258 +++++++++++++++++++++++++++++++++++++++++++++++++
 xml_wallpaper_maker.py | 152 +++++++++++++++++++++++++++++
 6 files changed, 772 insertions(+), 1 deletion(-)
 create mode 100644 git_updater.py
 create mode 100755 launcherctl.py
 create mode 100755 single_window_expo.py
 create mode 100755 windowctrl.py
 create mode 100755 xml_wallpaper_maker.py

> latest commit:
commit dd0c9627392540df7c4230e7898cb9e55adc7083
Author: SergKolo <[email protected]>
Date:   Fri Oct 21 02:37:01 2016 -0600

    git updater script

--------------------------------------------------------------------------------
WORKING REPOSITORY:/home/xieerqi/bin/PythonStuff
From https://github.com/mnovits1/PythonStuff
 * branch            master     -> FETCH_HEAD
not behind, skipped
--------------------------------------------------------------------------------
    
por Sergiy Kolodyazhnyy 21.10.2016 / 10:40