40

タグのサブディレクトリへの変更を回避する pre-commit フックを追加する方法について明確な指示を持っている人はいますか?

私はすでにかなりインターネットを検索しました。このリンクを見つけました: SVN::Hooks::DenyChangesですが、コンパイルできないようです。

4

11 に答える 11

39

上記のRaimの回答に「コメント」するほどの評判はありませんが、彼はうまく機能しました.1つの例外を除いて、彼のgrepパターンは間違っています.

以下をプリコミットフックとして単純に使用しました(既存のものはありませんでした。その場合はマージする必要があります)。

#!/bin/sh

REPOS="$1"
TXN="$2"

SVNLOOK=/opt/local/bin/svnlook

# Committing to tags is not allowed
$SVNLOOK changed -t "$TXN" "$REPOS" | grep "^U\W.*\/tags\/" && /bin/echo "Cannot commit to tags!" 1>&2 && exit 1

# All checks passed, so allow the commit.
exit 0

Raim の grep パターンの唯一の問題は、リポジトリの「ルート」にある場合にのみ「タグ」と一致することです。私のレポにはいくつかのプロジェクトがあるので、彼が書いたスクリプトはタグ ブランチでのコミットを許可していました。

また、示されているように必ず chmod +x を実行してください。そうしないと、コミットが失敗したために機能したと思われますが、フックが機能したためではなく、コミット前のフックを実行できなかったために失敗しました。

これは本当に素晴らしかったです、Raim に感謝します。依存関係がないため、他のすべての提案よりもはるかに優れて軽量です!

于 2009-03-15T22:58:40.877 に答える
16

タグが作成された後にタグへのコミットを防ぐための短いシェル スクリプトを次に示します。

#!/bin/sh

REPOS="$1"
TXN="$2"

SVNLOOK=/usr/bin/svnlook

# Committing to tags is not allowed
$SVNLOOK changed -t "$TXN" "$REPOS" | grep "^U\W*tags" && /bin/echo "Cannot commit to tags!" 1>&2 && exit 1

# All checks passed, so allow the commit.
exit 0

hooks/pre-commitこれをSubversion リポジトリ用に に保存し、で実行可能にしchmod +xます。

于 2009-02-23T01:16:22.173 に答える
7

これが私のWindowsバッチファイルのプリコミットフックです。ユーザーが管理者の場合、他のチェックはスキップされます。コミット メッセージが空であるかどうか、およびコミットがタグに対するものであるかどうかをチェックします。注: findstr は、他のプラットフォームでの grep に代わるものです。

コミットがタグに対するものかどうかをチェックする方法は、最初に変更された svnlook に「tags/」が含まれているかどうかをチェックします。次に、svnlook の変更が "^A.tags /[^/] /$" に一致するかどうかをチェックします。これは、tags/ の下に新しいフォルダーを追加しているかどうかをチェックすることを意味します。

ユーザーは新しいプロジェクトを作成できます。pre-commit フックにより、ユーザーはトランク/タグ/およびブランチ/フォルダーを作成できます。ユーザーは、トランク/タグ/およびブランチ/フォルダーを削除できません。これは、単一または複数プロジェクトのリポジトリで機能します。

 @echo off
 rem This pre-commit hook will block commits with no log messages and blocks commits on tags.
 rem Users may create tags, but not modify them.
 rem If the user is an Administrator the commit will succeed.

 rem Specify the username of the repository administrator
 rem commits by this user are not checked for comments or tags
 rem Recommended to change the Administrator only when an admin commit is neccessary
 rem then reset the Administrator after the admin commit is complete
 rem this way the admin user is only an administrator when neccessary
 set Administrator=Administrator

 setlocal

 rem Subversion sends through the path to the repository and transaction id.
 set REPOS=%1%
 set TXN=%2%

 :Main
 rem check if the user is an Administrator
 svnlook author %REPOS% -t %TXN% | findstr /r "^%Administrator%$" >nul
 if %errorlevel%==0 (exit 0)

 rem Check if the commit has an empty log message
 svnlook log %REPOS% -t %TXN% | findstr . > nul
 if %errorlevel% gtr 0 (goto CommentError)

 rem Block deletion of branches and trunk
 svnlook changed %REPOS% -t %TXN% | findstr /r "^D.*trunk/$ ^D.*branches/$" >nul
 if %errorlevel%==0 (goto DeleteBranchTrunkError)

 rem Check if the commit is to a tag
 svnlook changed %REPOS% -t %TXN% | findstr /r "^.*tags/" >nul
 if %errorlevel%==0 (goto TagCommit)
 exit 0

 :DeleteBranchTrunkError
 echo. 1>&2
 echo Trunk/Branch Delete Error: 1>&2
 echo     Only an Administrator may delete the branches or the trunk. 1>&2
 echo Commit details: 1>&2
 svnlook changed %REPOS% -t %TXN% 1>&2
 exit 1

 :TagCommit
 rem Check if the commit is creating a subdirectory under tags/ (tags/v1.0.0.1)
 svnlook changed %REPOS% -t %TXN% | findstr /r "^A.*tags/[^/]*/$" >nul
 if %errorlevel% gtr 0 (goto CheckCreatingTags)
 exit 0

 :CheckCreatingTags
 rem Check if the commit is creating a tags/ directory
 svnlook changed %REPOS% -t %TXN% | findstr /r "^A.*tags/$" >nul
 if %errorlevel% == 0 (exit 0)
 goto TagsCommitError

 :CommentError
 echo. 1>&2
 echo Comment Error: 1>&2
 echo     Your commit has been blocked because you didn't enter a comment. 1>&2
 echo     Write a log message describing your changes and try again. 1>&2
 exit 1

 :TagsCommitError
 echo. 1>&2
 echo %cd% 1>&2
 echo Tags Commit Error: 1>&2
 echo     Your commit to a tag has been blocked. 1>&2
 echo     You are only allowed to create tags. 1>&2
 echo     Tags may only be modified by an Administrator. 1>&2
 echo Commit details: 1>&2
 svnlook changed %REPOS% -t %TXN% 1>&2
 exit 1
于 2010-08-23T17:46:54.573 に答える
6

この anwser は日付を大幅に過ぎていますが、svnlook changed コマンドの --copy-info パラメータを発見しました。

このコマンドの出力では、3 番目の列に「+」が追加されるため、これがコピーであることがわかります。タグディレクトリへのコミットを確認し、「+」が存在するコミットのみを許可できます。

ブログ投稿にいくつかの出力を追加しました。

于 2010-08-20T07:17:45.523 に答える
4

いくつかのケースがカバーされていないため、以前に作成されたスクリプトのほとんどは不完全です。これは私のスクリプトです:

contains_tags_dir=`$SVNLOOK changed --copy-info -t "$TXN" "$REPOS" | head -1 | egrep "+\/tags\/.*$" | wc -l | sed "s/ //g"`

if [ $contains_tags_dir -gt 0 ]
then
  tags_dir_creation=`$SVNLOOK changed --copy-info -t "$TXN" "$REPOS" | head -1 | egrep "^A       .+\/tags\/$" | wc -l | sed "s/ //g"`
  if [ $tags_dir_creation -ne 1 ]
  then
    initial_add=`$SVNLOOK changed --copy-info -t "$TXN" "$REPOS" | head -1 | egrep "^A \+ .+\/tags\/.+\/$" | wc -l | sed "s/ //g"`
    if [ $initial_add -ne 1 ]
    then
      echo "Tags cannot be changed!" 1>&2
      exit 1
    fi
  fi
fi

複雑に思えるかもしれませんが、存在しない場合/tagsは作成/tagsできること、および後続のすべてのフォルダーを作成できることを確認する必要があります。その他の変更はブロックされます。これまでのスクリプトで、Subversion の本で説明されているすべてのケースをカバーしているものはほとんどありませんsvnlook changed ...

于 2011-11-17T08:46:58.120 に答える
4

パーティーにはかなり遅れましたが、私はhttp://subversion.tigris.org/の log-police.py スクリプトに基づいた作業用の Python pre-commit フックを作成しました。

このスクリプトは、必要なことを実行する必要がありますが、スクリプトから簡単に削除できるはずですが、ログ メッセージが存在することも確認します。

いくつかの注意事項:

  • 私はPythonを初めて使用するので、おそらくもっとうまく書くことができます
  • Python 2.5 および Subversion 1.4 を使用する Windows 2003 でのみテストされています。

要件:

  • 転覆
  • パイソン
  • Python の Subversion バインディング

最後に、コード:

#!/usr/bin/env python

#
# pre-commit.py:
#
# Performs the following:
#  - Makes sure the author has entered in a log message.
#  - Make sure author is only creating a tag, or if deleting a tag, author is a specific user
#
# Script based on http://svn.collab.net/repos/svn/trunk/tools/hook-scripts/log-police.py
#
# usage: pre-commit.py -t TXN_NAME REPOS
# E.g. in pre-commit.bat (under Windows)
#   python.exe {common_hooks_dir}\pre_commit.py -t %2 %1
#


import os
import sys
import getopt
try:
  my_getopt = getopt.gnu_getopt
except AttributeError:
  my_getopt = getopt.getopt

import re

import svn
import svn.fs
import svn.repos
import svn.core

#
# Check Tags functionality
#
def check_for_tags(txn):
  txn_root = svn.fs.svn_fs_txn_root(txn)
  changed_paths = svn.fs.paths_changed(txn_root)
  for path, change in changed_paths.iteritems():
    if is_path_within_a_tag(path): # else go to next path
      if is_path_a_tag(path):
        if (change.change_kind == svn.fs.path_change_delete):
          if not is_txn_author_allowed_to_delete(txn):
            sys.stderr.write("\nOnly an administrator can delete a tag.\n\nContact your Subversion Administrator for details.")
            return False
        elif (change.change_kind != svn.fs.path_change_add):
          sys.stderr.write("\nUnable to modify " + path + ".\n\nIt is within a tag and tags are read-only.\n\nContact your Subversion Administrator for details.")
          return False
        # else user is adding a tag, so accept this change
      else:
        sys.stderr.write("\nUnable to modify " + path + ".\n\nIt is within a tag and tags are read-only.\n\nContact your Subversion Administrator for details.")
        return False
  return True

def is_path_within_a_tag(path):
  return re.search('(?i)\/tags\/', path)

def is_path_a_tag(path):
  return re.search('(?i)\/tags\/[^\/]+\/?$', path)

def is_txn_author_allowed_to_delete(txn):
  author = get_txn_property(txn, 'svn:author')
  return (author == 'bob.smith')

#
# Check log message functionality
#
def check_log_message(txn):
  log_message = get_txn_property(txn, "svn:log")
  if log_message is None or log_message.strip() == "":
    sys.stderr.write("\nCannot enter in empty commit message.\n")
    return False
  else:
    return True

def get_txn_property(txn, prop_name):
  return svn.fs.svn_fs_txn_prop(txn, prop_name)

def usage_and_exit(error_msg=None):
  import os.path
  stream = error_msg and sys.stderr or sys.stdout
  if error_msg:
    stream.write("ERROR: %s\n\n" % error_msg)
  stream.write("USAGE: %s -t TXN_NAME REPOS\n"
               % (os.path.basename(sys.argv[0])))
  sys.exit(error_msg and 1 or 0)

def main(ignored_pool, argv):
  repos_path = None
  txn_name = None

  try:
    opts, args = my_getopt(argv[1:], 't:h?', ["help"])
  except:
    usage_and_exit("problem processing arguments / options.")
  for opt, value in opts:
    if opt == '--help' or opt == '-h' or opt == '-?':
      usage_and_exit()
    elif opt == '-t':
      txn_name = value
    else:
      usage_and_exit("unknown option '%s'." % opt)

  if txn_name is None:
    usage_and_exit("must provide -t argument")
  if len(args) != 1:
    usage_and_exit("only one argument allowed (the repository).")

  repos_path = svn.core.svn_path_canonicalize(args[0])

  fs = svn.repos.svn_repos_fs(svn.repos.svn_repos_open(repos_path))
  txn = svn.fs.svn_fs_open_txn(fs, txn_name)

  if check_log_message(txn) and check_for_tags(txn):
    sys.exit(0)
  else:
    sys.exit(1)

if __name__ == '__main__':
  sys.exit(svn.core.run_app(main, sys.argv))
于 2009-01-30T23:30:45.477 に答える
3

受け入れられた回答は、タグ内のファイルの更新を防ぎますが、タグへのファイルの追加を防ぎません。次のバージョンは両方を処理します。

#!/bin/sh

REPOS="$1"
TXN="$2"
SVNLOOK="/home/staging/thirdparty/subversion-1.6.17/bin/svnlook"

# Committing to tags is not allowed
$SVNLOOK changed -t "$TXN" "$REPOS" --copy-info| grep -v "^ " | grep -P '^[AU]   \w+/tags/' && /bin/echo "Cannot update tags!" 1>&2 && exit 1

# All checks passed, so allow the commit.
exit 0
于 2011-07-19T15:38:05.133 に答える
1

私のバージョンでは、タグの作成と削除のみが許可されています。これは、すべての特殊なケース (ファイルの追加、プロパティの変更など) を処理する必要があります。

#!/bin/sh

REPOS="$1"
TXN="$2"
SVNLOOK=/usr/local/bin/svnlook

output_error_and_exit() {
    echo "$1" >&2
    exit 1
}

changed_tags=$( $SVNLOOK changed -t "$TXN" "$REPOS" | grep "[ /]tags/." )

if [ "$changed_tags" ]
then 
    echo "$changed_tags" | egrep -v "^[AD] +(.*/)?tags/[^/]+/$" && output_error_and_exit "Modification of tags is not allowed."
fi 

exit 0
于 2013-11-11T14:42:03.723 に答える
1

最初の回答ではファイルの追加/サポートが妨げられず、新しいタグの作成や、不完全またはバグのある他の多くのものが妨げられたため、作り直しました

ここに私のコミット前のフックがあります: 目標は:

  • タグのコミットを許可しない (ファイルの追加/抑制/更新)
  • タグの作成を妨げない

--------- file "pre-commit" (repositories hooksフォルダに入れる) ---------

#!/bin/sh

REPOS="$1"
TXN="$2"

SVNLOOK=/usr/bin/svnlook

#Logs
#$SVNLOOK changed -t "$TXN" "$REPOS" > /tmp/changes
#echo "$TXN" > /tmp/txn
#echo "$REPOS" > /tmp/repos

# Committing to tags is not allowed
# Forbidden changes are Update/Add/Delete.  /W = non alphanum char  Redirect is necessary to get the error message, since regular output is lost.
# BUT, we must allow tag creation / suppression

$SVNLOOK changed -t "$TXN" "$REPOS" | /bin/grep "^A\W.*tags\/[0-9._-]*\/." && /bin/echo "Commit to tags are NOT allowed ! (Admin custom rule)" 1>&2 && exit 101
$SVNLOOK changed -t "$TXN" "$REPOS" | /bin/grep "^U\W.*tags\/[0-9._-]*\/." && /bin/echo "Commit to tags are NOT allowed ! (Admin custom rule)" 1>&2 && exit 102
$SVNLOOK changed -t "$TXN" "$REPOS" | /bin/grep "^D\W.*tags\/[0-9._-]*\/." && /bin/echo "Commit to tags are NOT allowed ! (Admin custom rule)" 1>&2 && exit 104

# All checks passed, so allow the commit.
exit 0;

--------- ファイルの終わり "pre-commit" ---------

また、svn のすべてのプロジェクトでフックをコピーするための 2 つのシェル スクリプトを作成しました。

--------- スクリプト「setOneRepoTagsReadOnly.sh」 ---------

#!/bin/sh

cd /var/svn/repos/svn
zeFileName=$1/hooks/pre-commit
/bin/cp ./CUSTOM_HOOKS/pre-commit $zeFileName
chown www-data:www-data $zeFileName
chmod +x $zeFileName

--------- ファイル「setOneRepoTagsReadOnly.sh」の終わり ---------

そして、すべてのレポに対してそれを呼び出して、すべてのレポを読み取り専用にします:

--------- ファイル "makeTagsReadOnly.sh" ---------

#!/bin/shs/svn                                                                                                                                                                         
#Lists all repos, and adds the pre-commit hook to protect tags on each of them
find /var/svn/repos/svn/ -maxdepth 1 -mindepth 1 -type d -execdir '/var/svn/repos/svn/setOneRepoTagsReadOnly.sh' \{\} \;

--------- ファイル「makeTagsReadOnly.sh」の終わり ---------

これらのスクリプトは、svn「ルート」(私の場合は /var/svn/repos/svn) から直接実行します。ところで、これらのスクリプトを毎日実行することにより、新しいリポジトリを自動的に変更するようにcronタスクを設定できます

それが役に立てば幸い。

于 2014-07-11T18:25:51.990 に答える
1

JIRA を使用している場合は、コミット ポリシーという名前のアドオンを使用して、カスタム フックを作成せずにリポジトリ内のパスを保護できます。

どのように?Changed files must match a patternという条件を使用します。

コミット内のすべてのファイルに一致する必要がある正規表現タイプの引数があり、そうでない場合、コミットは拒否されます。したがって、あなたの場合、「接頭辞/tags/で始まらない」ことを意味する正規表現を使用する必要があります。

(同じプラグインで他の多くのスマート チェックを実装できます。)

免責事項: 私はこの有料アドオンに取り組んでいる開発者です。

于 2015-09-29T09:26:41.570 に答える