Как переместить репозиторий git со всеми ветвями из битбакета в github?

Каков наилучший способ перемещения репозитория git со всеми ветвями и полной историей от битбакет до github? Есть ли script или список команд, которые я должен использовать?

Ответ 1

Вы можете обратиться к странице GitHub " Дублирование репозитория "

Оно использует:

Это дало бы:

git clone --mirror https://bitbucket.org/exampleuser/repository-to-mirror.git
# Make a bare mirrored clone of the repository

cd repository-to-mirror.git
git remote set-url --push origin https://github.com/exampleuser/mirrored
# Set the push location to your mirror

git push --mirror

Как отмечено в комментарии LS:

  • проще использовать функцию Import Code из GitHub, описанную MarMass.
    Смотрите https://github.com/new/import
  • Если... в вашем репо нет большого файла: проблема в том, что инструмент импорта не сможет работать без четкого сообщения об ошибке. Только GitHub Support сможет диагностировать произошедшее.

Ответ 2

Это очень просто.

Создайте новый пустой репозиторий в GitHub (без readme или licesne, вы можете добавить их раньше), и на следующем экране будет отображаться

Внутри опции импортировать код вы вставляете URL-адрес репозитория URL-адреса Bitwucket и voilà!!

Click in import code

Ответ 3

Если вы не смогли найти кнопку "Импортировать код" на github, вы можете:

  • напрямую откройте Github Importer и введите url. Он будет выглядеть так: Screenshot of github importer
  • дайте ему имя (или оно автоматически импортирует имя)
  • выберите Public или Private repo
  • Нажмите Begin Import

UPDATE: Недавно Github объявила о возможности "Импортировать репозитории с большими файлами

Ответ 4

http://www.blackdogfoundry.com/blog/moving-repository-from-bitbucket-to-github/

Это помогло мне перейти от одного поставщика git к другому. В конце концов все коммиты были в пункте назначения git. Простой и прямой.

git remote rename origin bitbucket
git remote add origin https://github.com/edwardaux/Pipelines.git
git push origin master

Как только я был счастлив, что толчок был успешным для GitHub, я мог удалите старый пульт, выпустив:

git remote rm bitbucket

Ответ 5

У меня был обратный вариант использования импорта существующего хранилища из github в bitbucket.

Bitbucket также предлагает инструмент для импорта. Единственный необходимый шаг - добавить URL в хранилище.

Это выглядит как:

Screenshot of the bitbucket import tool

Ответ 6

Я понимаю, что это старый вопрос. Я нашел это несколько месяцев назад, когда я пытался сделать то же самое, и был поражен ответами. Все они, похоже, занимались импортом из Bitbucket в GitHub один репозиторий за раз, либо с помощью команд, выданных à la carte, либо через импортера GitHub.

Я grabulated код из проекта GitHub под названием gitter и изменил его в соответствии со своими потребностями.

Вы можете разблокировать gist или взять код здесь:

#!/usr/bin/env ruby
require 'fileutils'

# Originally  -- Dave Deriso        -- [email protected]
# Contributor -- G. Richard Bellamy -- [email protected]
# If you contribute, put your name here!
# To get your team ID:
# 1. Go to your GitHub profile, select 'Personal Access Tokens', and create an Access token
# 2. curl -H "Authorization: token <very-long-access-token>" https://api.github.com/orgs/<org-name>/teams
# 3. Find the team name, and grabulate the Team ID
# 4. PROFIT!

#----------------------------------------------------------------------
#your particulars
@access_token = ''
@team_id = ''
@org = ''


#----------------------------------------------------------------------
#the verison of this app
@version = "0.2"

#----------------------------------------------------------------------
#some global params
@create = false
@add = false
@migrate = false
@debug = false
@done = false
@error = false

#----------------------------------------------------------------------
#fancy schmancy color scheme

class String; def c(cc); "\e[#{cc}m#{self}\e[0m" end end
#200.to_i.times{ |i| print i.to_s.c(i) + " " }; puts
@sep = "-".c(90)*95
@sep_pref = ".".c(90)*95
@sep_thick = "+".c(90)*95

#----------------------------------------------------------------------
# greetings

def hello
  puts @sep
  puts "BitBucket to GitHub migrator -- v.#{@version}".c(95)
  #puts @sep_thick
end

def goodbye
  puts @sep
  puts "done!".c(95)
  puts @sep
  exit
end

def puts_title(text)
   puts  @sep, "#{text}".c(36), @sep
end

#----------------------------------------------------------------------
# helper methods

def get_options
  require 'optparse'

  n_options = 0
  show_options = false

  OptionParser.new do |opts|
    opts.banner = @sep +"\nUsage: gitter [options]\n".c(36)
    opts.version = @version
    opts.on('-n', '--name [name]', String, 'Set the name of the new repo') { |value| @repo_name = value; n_options+=1 }
    opts.on('-c', '--create', String, 'Create new repo') { @create = true; n_options+=1 }
    opts.on('-m', '--migrate', String, 'Migrate the repo') { @migrate = true; n_options+=1 }
    opts.on('-a', '--add', String, 'Add repo to team') { @add = true; n_options+=1 }
    opts.on('-l', '--language [language]', String, 'Set language of the new repo') { |value| @language = value.strip.downcase; n_options+=1 }
    opts.on('-d', '--debug', 'Print commands for inspection, doesn\'t actually run them') { @debug = true; n_options+=1 }
    opts.on_tail('-h', '--help', 'Prints this little guide') { show_options = true; n_options+=1 }
    @opts = opts
  end.parse!

  if show_options || n_options == 0
    puts @opts
    puts "\nExamples:".c(36)
    puts 'create new repo: ' + "\t\tgitter -c -l javascript -n node_app".c(93)
    puts 'migrate existing to GitHub: ' + "\tgitter -m -n node_app".c(93)
    puts 'create repo and migrate to it: ' + "\tgitter -c -m -l javascript -n node_app".c(93)
    puts 'create repo, migrate to it, and add it to a team: ' + "\tgitter -c -m -a -l javascript -n node_app".c(93)
    puts "\nNotes:".c(36)
    puts "Access Token for repo is #{@access_token} - change this on line 13"
    puts "Team ID for repo is #{@team_id} - change this on line 14"
    puts "Organization for repo is #{@org} - change this on line 15"
    puts 'The assumption is that the person running the script has SSH access to BitBucket,'
    puts 'and GitHub, and that if the current directory contains a directory with the same'
    puts 'name as the repo to migrated, it will deleted and recreated, or created if it'
    puts 'doesn\'t exist - the repo to migrate is mirrored locally, and then created on'
    puts 'GitHub and pushed from that local clone.'
    puts 'New repos are private by default'
    puts "Doesn\'t like symbols for language (ex. use \'c\' instead of \'c++\')"
    puts @sep
    exit
  end
end

#----------------------------------------------------------------------
# git helper methods

def gitter_create(repo)
  if @language
    %q[curl https://api.github.com/orgs/] + @org + %q[/repos -H "Authorization: token ] + @access_token + %q[" -d '{"name":"] + repo + %q[","private":true,"language":"] + @language + %q["}']
  else
    %q[curl https://api.github.com/orgs/] + @org + %q[/repos -H "Authorization: token ] + @access_token + %q[" -d '{"name":"] + repo + %q[","private":true}']
  end
end

def gitter_add(repo)
  if @language
    %q[curl https://api.github.com/teams/] + @team_id + %q[/repos/] + @org + %q[/] + repo + %q[ -H "Accept: application/vnd.github.v3+json" -H "Authorization: token ] + @access_token + %q[" -d '{"permission":"pull","language":"] + @language + %q["}']
  else
    %q[curl https://api.github.com/teams/] + @team_id + %q[/repos/] + @org + %q[/] + repo + %q[ -H "Accept: application/vnd.github.v3+json" -H "Authorization: token ] + @access_token + %q[" -d '{"permission":"pull"}']
  end
end

def git_clone_mirror(bitbucket_origin, path)
  "git clone --mirror #{bitbucket_origin}"
end

def git_push_mirror(github_origin, path)
  "(cd './#{path}' && git push --mirror #{github_origin} && cd ..)"
end

def show_pwd
  if @debug
    Dir.getwd()
  end
end

def git_list_origin(path)
  "(cd './#{path}' && git config remote.origin.url && cd ..)"
end

# error checks

def has_repo
  File.exist?('.git')
end

def has_repo_or_error(show_error)
  @repo_exists = has_repo
  if [email protected]_exists
    puts 'Error: no .git folder in current directory'.c(91) if show_error
    @error = true
  end
  "has repo: #{@repo_exists}"
end

def has_repo_name_or_error(show_error)
  @repo_name_exists = !(defined?(@repo_name)).nil?
  if [email protected]_name_exists
    puts 'Error: repo name missing (-n your_name_here)'.c(91) if show_error
    @error = true
  end
end

#----------------------------------------------------------------------
# main methods
def run(commands)
  if @debug
    commands.each { |x| puts(x) }
  else
    commands.each { |x| system(x) }
  end
end

def set_globals

  puts_title 'Parameters'

  @git_bitbucket_origin =   "[email protected]:#{@org}/#{@repo_name}.git"
  @git_github_origin = "[email protected]:#{@org}/#{@repo_name}.git"

  puts 'debug: ' + @debug.to_s.c(93)
  puts 'working in: ' + Dir.pwd.c(93)
  puts 'create: ' + @create.to_s.c(93)
  puts 'migrate: ' + @migrate.to_s.c(93)
  puts 'add: ' + @add.to_s.c(93)
  puts 'language: ' + @language.to_s.c(93)
  puts 'repo name: '+ @repo_name.to_s.c(93)
  puts 'bitbucket: ' + @git_bitbucket_origin.to_s.c(93)
  puts 'github: ' + @git_github_origin.to_s.c(93)
  puts 'team_id: ' + @team_id.to_s.c(93)
  puts 'org: ' + @org.to_s.c(93)
end

def create_repo
  puts_title 'Creating'

  #error checks
  has_repo_name_or_error(true)
  goodbye if @error

  puts @sep

  commands = [
      gitter_create(@repo_name)
  ]

  run commands
end


def add_repo
  puts_title 'Adding repo to team'

  #error checks
  has_repo_name_or_error(true)
  goodbye if @error

  puts @sep

  commands = [
      gitter_add(@repo_name)
  ]

  run commands
end

def migrate_repo

  puts_title "Migrating Repo to #{@repo_provider}"

  #error checks
  has_repo_name_or_error(true)
  goodbye if @error

  if Dir.exists?("#{@repo_name}.git")
    puts "#{@repo_name} already exists... recursively deleting."
    FileUtils.rm_r("#{@repo_name}.git")
  end

  path = "#{@repo_name}.git"
  commands = [
    git_clone_mirror(@git_bitbucket_origin, path),
    git_list_origin(path),
    git_push_mirror(@git_github_origin, path)
  ]

  run commands
end

#----------------------------------------------------------------------
#sequence control
hello
get_options

#do stuff
set_globals
create_repo if @create
migrate_repo if @migrate
add_repo if @add

#peace out
goodbye

Затем, чтобы использовать script:

# create a list of repos
foo
bar
baz

# execute the script, iterating over your list
while read p; do ./bitbucket-to-github.rb -a -n $p; done<repos

# good nuff

Ответ 7

Существует Импорт репозитория с импортером GitHub

Если у вас есть проект, размещенный в другой системе управления версиями как Mercurial, вы можете автоматически импортировать его в GitHub с помощью инструмента GitHub Importer.

  • В правом верхнем углу любой страницы щелкните, а затем нажмите "Импортировать репозиторий".
  • В разделе "Ваш старый URL-адрес клонирования репозитория" введите URL-адрес проекта, который вы хотите импортировать.
  • Выберите свою учетную запись или организацию для хранения репозитория, затем введите имя для репозитория в GitHub.
  • Укажите, должен ли новый репозиторий быть открытым или приватным.
    • Публичные репозитории видны любому пользователю GitHub, поэтому вы можете воспользоваться совместным сообществом GitHub.
    • Переключатели открытого или закрытого репозитория. Частные репозитории доступны только владельцу хранилища, а также любым сотрудникам, которых вы решили поделиться.
  • Просмотрите введенную информацию и нажмите "Начать импорт".

Вы получите электронное письмо, когда репозиторий будет полностью импортирован.

Ответ 8

Если вы хотите переместить свой локальный репозиторий git в другой апстрим, вы также можете сделать это:

чтобы получить текущий удаленный URL:

git remote get-url origin

покажет что-то вроде: https://bitbucket.com/git/myrepo

установить новый удаленный репозиторий:

Git Remote Set-URL происхождения [email protected]: папка /myrepo.git

Теперь нажмите на содержимое текущей (развернутой) ветки:

git push - set-upstream origin разработать

Теперь у вас есть полная копия ветки в новом пульте.

по желанию вернитесь к исходному git-remote для этой локальной папки:

git remote set-url origin https://bitbucket.com/git/myrepo

Теперь вы можете получить новый git-репозиторий из github в другой папке, так что у вас есть две локальные папки, указывающие на разные пульты: предыдущая (bitbucket) и новая.

Ответ 9

Вот шаги для перемещения частного репозитория Git:

Шаг 1: Создать репозиторий Github

Сначала создайте новый частный репозиторий на Github.com. Важно, чтобы хранилище оставалось пустым, например, опция "Не проверять". Инициализируйте этот хранилище с помощью README при создании хранилища.

Шаг 2. Переместите существующий контент

Далее нам нужно заполнить репозиторий Github содержимым нашего репозитория Bitbucket:

  1. Проверьте существующий репозиторий из Bitbucket:
    $ git clone https://[email protected]/USER/PROJECT.git
  1. Добавьте новый репозиторий Github как удаленный по потоку поток от репозитория, извлеченного из Bitbucket:
    $ cd PROJECT
    $ git remote add upstream https://github.com:USER/PROJECT.git
  1. Вставьте все ветки (ниже: просто master) и теги в репозиторий Github:
    $ git push upstream master
    $ git push --tags upstream

Шаг 3: Очистить старый репозиторий

Наконец, нам нужно убедиться, что разработчики не запутаются, имея два репозитория для одного проекта. Вот как удалить хранилище Bitbucket:

  1. Дважды проверьте, что репозиторий Github имеет все содержимое

  2. Перейти к веб-интерфейсу старого хранилища Bitbucket

  3. Выберите пункт меню Настройка> Удалить репозиторий

  4. Добавьте URL нового репозитория Github в качестве URL перенаправления

После этого хранилище полностью обосновалось в своем новом доме в Гитхубе. Пусть все разработчики знают!

Ответ 10

Самый простой способ сделать это:

git remote rename origin repo_bitbucket

git remote add origin https://github.com/abc/repo.git

git push origin master

После успешного перехода на GitHub удалите старый пульт, выполнив:

git remote rm repo_bitbucket