web-dev-qa-db-ja.com

TFSで編集するアイテムをプログラムでチェックアウトするにはどうすればよいですか?

TFS 2010を使用してソース管理下にあるファイルを処理するユーティリティに取り組んでいます。

項目が編集のためにまだチェックアウトされていない場合、ファイルが読み取り専用モードになっているため、確実に予測可能な例外が発生します。

ファイルをチェックアウトする方法は何ですか?

追伸Process.Start("tf.exe", "...");ではなく、プログラムに適したものが必要です。

39
abatishchev

ここで言及した他のアプローチのいくつかは、TFSの特定のバージョンでのみ機能するか、廃止されたメソッドを使用します。 404を受け取っている場合、使用しているアプローチはサーバーバージョンと互換性がない可能性があります。

このアプローチは2005、2008、および2010で機能します。TFSはもう使用しないため、2013はテストしていません。

var workspaceInfo = Workstation.Current.GetLocalWorkspaceInfo(fileName);
using (var server = new TfsTeamProjectCollection(workspaceInfo.ServerUri))
{
    var workspace = workspaceInfo.GetWorkspace(server);    
    workspace.PendEdit(fileName);
}
37
Ben
private const string tfsServer = @"http://tfsserver.org:8080/tfs";

public void CheckOutFromTFS(string fileName)
{
    using (TfsTeamProjectCollection pc = TfsTeamProjectCollectionFactory.GetTeamProjectCollection(new Uri(tfsServer)))        
    {
        if (pc != null)
        {
            WorkspaceInfo workspaceInfo = Workstation.Current.GetLocalWorkspaceInfo(fileName);
            if (null != workspaceInfo)
            {                   
                Workspace workspace = workspaceInfo.GetWorkspace(pc);
                workspace.PendEdit(fileName);
            }
        }
    }
    FileInfo fi = new FileInfo(fileName);
}

ご了承ください Microsoft.TeamFoundation.Client.TeamFoundationServerFactoryは廃止されました:TeamFoundationServerクラスは廃止されました。 TeamFoundationProjectCollectionまたはTfsConfigurationServerクラスを使用して、2010 Team Foundation Serverと通信します。 2005または2008 Team Foundation Serverと通信するには、TeamFoundationProjectCollectionクラスを使用します。それに対応するファクトリクラスはTfsTeamProjectCollectionFactoryです。

6
wp9omp

Team Foundationバージョン管理クライアントAPIを使用できます。メソッドはPendEdit()です

workspace.PendEdit(fileName);

MSDNの詳細な例をご覧ください http://blogs.msdn.com/b/buckh/archive/2006/03/15/552288.aspx

4
ukhardy

最初にワークスペースを取得する

var tfs = new TeamFoundationServer("http://server:8080/tfs/collection");
var version = (VersionControlServer)tfs.GetService(typeof(VersionControlServer));
var workspace = version.GetWorkspace("WORKSPACE-NAME", version.AuthorizedUser);

ワークスペースを使用すると、ファイルをチェックアウトできます

workspace.PendEdit(fileName);
2
BrunoLM
var registerdCollection = RegisteredTfsConnections.GetProjectCollections().First();
var projectCollection = TfsTeamProjectCollectionFactory.GetTeamProjectCollection(registerdCollection);
var versionControl = projectCollection.GetService<VersionControlServer>();

var workspaceInfo = Workstation.Current.GetLocalWorkspaceInfo(_fileName);
var server = new TeamFoundationServer(workspaceInfo.ServerUri.ToString());
var workspace = workspaceInfo.GetWorkspace(server);

workspace.PendEdit(fileName);
1
abatishchev

それを行う方法は2つあります。単純な方法と高度な方法です。

1)。シンプル:

  #region Check Out
    public bool CheckOut(string path)
    {
        using (TfsTeamProjectCollection pc = TfsTeamProjectCollectionFactory.GetTeamProjectCollection(new Uri(ConstTfsServerUri)))
        {
            if (pc == null) return false;

            WorkspaceInfo workspaceInfo = Workstation.Current.GetLocalWorkspaceInfo(path);
            Workspace workspace = workspaceInfo?.GetWorkspace(pc);
            return workspace?.PendEdit(path, RecursionType.Full) == 1;
        }
    }

    public async Task<bool> CheckoutAsync(string path)
    {
        return await Task.Run(() => CheckOut(path));
    }
    #endregion

2)。詳細(受信ステータス付き):

    private static string GetOwnerDisplayName(PendingSet[] pending)
    {
        var result = pending.FirstOrDefault(pendingSet => pendingSet.Computer != Environment.MachineName) ?? pending[0];
        return result.OwnerDisplayName;
    }
    private string CheckoutFileInternal(string[] wsFiles, string folder = null)
    {
        try
        {

            var workspaceInfo = Workstation.Current.GetLocalWorkspaceInfo(folder);
            var server = new TfsTeamProjectCollection(workspaceInfo.ServerUri);
            var workspace = workspaceInfo.GetWorkspace(server);
            var request = new GetRequest(folder, RecursionType.Full, VersionSpec.Latest);
            GetStatus status = workspace.Get(request, GetOptions.None);
            int result = workspace.PendEdit(wsFiles, RecursionType.Full, null, LockLevel.None);
            if (result == wsFiles.Length)
            {
                //TODO: write info (succeed) to log here - messageText
                return null;
            }
            var pending = server.GetService<VersionControlServer>().QueryPendingSets(wsFiles, RecursionType.None, null, null);
            var messageText = "Failed to checkout !.";
            if (pending.Any())
            {
                messageText = string.Format("{0}\nFile is locked by {1}", messageText, GetOwnerDisplayName(pending));
            }

            //TODO: write error to log here - messageText
            return messageText;
        }
        catch (Exception ex)
        {
            UIHelper.Instance.RunOnUiThread(() =>
            {
                MessageBox.Show(Application.Current.MainWindow, string.Format("Failed checking out TFS files : {0}", ex.Message), "Check-out from TFS",
                               MessageBoxButton.OK, MessageBoxImage.Error);
            });
            return null;
        }
    }

    public async Task<string> CheckoutFileInternalAsync(string[] wsFiles, string folder)
    {
        return await Task.Run(() => CheckoutFileInternal(wsFiles, folder));
    }
0
Mr.B