web-dev-qa-db-ja.com

セレンでtorブラウザーを開く

SeleniumでTORブラウザを使用することは可能ですか?誰かがコピーアンドペーストできるコードを持っていますか?

25
user1907403

TBBを使用せず、使用しているブラウザに適切なプロキシ設定を設定するだけです。たとえばFFでは、次のようになります。

#set some privacy settings
ff_prof.set_preference( "places.history.enabled", False )
ff_prof.set_preference( "privacy.clearOnShutdown.offlineApps", True )
ff_prof.set_preference( "privacy.clearOnShutdown.passwords", True )
ff_prof.set_preference( "privacy.clearOnShutdown.siteSettings", True )
ff_prof.set_preference( "privacy.sanitize.sanitizeOnShutdown", True )
ff_prof.set_preference( "signon.rememberSignons", False )
ff_prof.set_preference( "network.cookie.lifetimePolicy", 2 )
ff_prof.set_preference( "network.dns.disablePrefetch", True )
ff_prof.set_preference( "network.http.sendRefererHeader", 0 )

#set socks proxy
ff_prof.set_preference( "network.proxy.type", 1 )
ff_prof.set_preference( "network.proxy.socks_version", 5 )
ff_prof.set_preference( "network.proxy.socks", '127.0.0.1' )
ff_prof.set_preference( "network.proxy.socks_port", 9050 )
ff_prof.set_preference( "network.proxy.socks_remote_dns", True )

#if you're really hardcore about your security
#js can be used to reveal your true i.p.
ff_prof.set_preference( "javascript.enabled", False )

#get a huge speed increase by not downloading images
ff_prof.set_preference( "permissions.default.image", 2 )

##
# programmatically start tor (in windows environment)
##
tor_path = "C:\\this\\is\\the\\location\\of\\" #tor.exe
torrc_path = "C:\\you\\need\\to\\create\\this\\file\\torrc"

DETACHED_PROCESS = 0x00000008
#calling as a detached_process means the program will not die with your python program - you will need to manually kill it
##
# somebody please let me know if there's a way to make this a child process that automatically dies (in windows)
##
tor_process = subprocess.Popen( '"' + tor_path+'tor.exe" --nt-service "-f" "' + torrc_path + '"', creationflags=DETACHED_PROCESS )

#attach to tor controller
## imports ##
# import stem.socket
# import stem.connection
# import stem.Signal
##
tor_controller = stem.socket.ControlPort( port=9051 )

control_password = 'password'
#in your torrc, you need to store the hashed version of 'password' which you can get with: subprocess.call( '"' + tor_path+'tor.exe" --hash-password %s' %control_password )

stem.connection.authenticate( tor_controller, password=control_password )

#check that everything is good with your tor_process by checking bootstrap status
tor_controller.send( 'GETINFO status/bootstrap-phase' )
response = worker.tor_controller.recv()
response = response.content()

#I will leave handling of response status to you
10
user2426679

はい、SeleniumにTORブラウザを使用させることができます。

UbuntuとMac OS Xの両方でそうすることができました。

次の2つのことが必要です。

  1. Torが使用するfirefoxバイナリへのバイナリパスを設定します。 Macでは、このパスは通常/Applications/TorBrowser.app/Contents/MacOS/firefox。私のUbuntuマシンでは/usr/bin/tor-browser/Browser/firefox

  2. Torブラウザーは、VidaliaまたはTorのインストールを通じて、127.0.0.1:9150のSOCKSホストを使用します。 FinderからTorを一度起動し、Vidaliaが実行されるように開いたままにします。 Seleniumで起動されたインスタンスは、Vidaliaが起動するSOCKSホストも使用します。

これら2つのことを実現するコードを次に示します。これをMac OS X Yosemiteで実行します。

import os
from Selenium.webdriver.firefox.firefox_binary import FirefoxBinary
from Selenium import webdriver


# path to the firefox binary inside the Tor package
binary = '/Applications/TorBrowser.app/Contents/MacOS/firefox'
if os.path.exists(binary) is False:
    raise ValueError("The binary path to Tor firefox does not exist.")
firefox_binary = FirefoxBinary(binary)


browser = None
def get_browser(binary=None):
    global browser  
    # only one instance of a browser opens, remove global for multiple instances
    if not browser: 
        browser = webdriver.Firefox(firefox_binary=binary)
    return browser

if __name__ == "__main__":
    browser = get_browser(binary=firefox_binary)
    urls = (
        ('tor browser check', 'https://check.torproject.org/'),
        ('ip checker', 'http://icanhazip.com')
    )
    for url_name, url in urls:
        print "getting", url_name, "at", url
        browser.get(url)

Ubuntuシステムでは、Seleniumを介してTorブラウザーを実行できました。このマシンには、ポート9051で実行されているtorと、ポート8118でtorを使用するprivoxy httpプロキシがあります。torブラウザがtorチェックページを通過するには、httpプロキシをprivoxyに設定する必要がありました。

from Selenium.webdriver.firefox.firefox_binary import FirefoxBinary
from Selenium.webdriver.common.proxy import Proxy, ProxyType
from Selenium import webdriver
browser = None

proxy_address = "127.0.0.1:8118"
proxy = Proxy({
    'proxyType': ProxyType.MANUAL,
    'httpProxy': proxy_address,
})

tor = '/usr/bin/tor-browser/Browser/firefox'
firefox_binary = FirefoxBinary(tor)

urls = (
    ('tor_browser_check', 'https://check.torproject.org/'),
    ('icanhazip', 'http://icanhazip.com'),
)
keys, _ = Zip(*urls)
urls_map = dict(urls)

def get_browser(binary=None, proxy=None):
    global browser
    if not browser:
        browser = webdriver.Firefox(firefox_binary=binary, proxy=proxy)
    return browser

if __name__ == "__main__":
    browser = get_browser(binary=firefox_binary, proxy=proxy)
    for resource in keys:
        browser.get(urls_map.get(resource))
8
DMfll

// torブラウザのポート番号を確認し、それに応じて// codeで変更します

from Selenium import webdriver
profile=webdriver.FirefoxProfile()
profile.set_preference('network.proxy.type', 1)
profile.set_preference('network.proxy.socks', '127.0.0.1')
profile.set_preference('network.proxy.socks_port', 9150)
browser=webdriver.Firefox(profile)
browser.get("http://yahoo.com")
browser.save_screenshot("screenshot.png")
browser.close()
5
Chirag Shetty
from Selenium import webdriver
from Selenium.webdriver.firefox.firefox_profile import FirefoxProfile
from Selenium.webdriver.firefox.firefox_binary import FirefoxBinary

#path to TOR binary
binary = FirefoxBinary(r'...\Tor Browser\Browser\firefox.exe')
#path to TOR profile
profile = FirefoxProfile(r'...\Tor Browser\Browser\TorBrowser\Data\Browser\profile.default')

driver = webdriver.Firefox(firefox_profile= profile, firefox_binary= binary)
driver.get("http://icanhazip.com")
driver.save_screenshot("screenshot.png")
driver.quit()

Windows 10でPython 3.5.1を使用

2
Will D.

多くの答えは正しい方向に向かっていますが、これはまさに私にとってうまくいったことです:

Ubuntuの場合:

バイナリバージョンではなく、aptコマンドまたは他の方法を使用してTorをインストールする必要があります。

インストールガイド:

https://linuxconfig.org/how-to-install-tor-browser-in-ubuntu-18-04-bionic-beaver-linux

Sample.py内では、次のことが必要になる場合があります。

  • firefoxのプロファイルをtorrcに設定します。これはほとんどの場合/etc/tor/
  • torはFirefoxの上に構築された一連の構成にすぎないため、バイナリをTorのFirefoxバイナリに設定します。

また、Seleniumでfirefoxを自動化するにはgeckodriverも必要です。

に注意を払う:

  • 「network.proxy.socks_port」= 9150
  • 内部Torc ControlPort 9050、CookieAuthentication 1
  • TorBrowserを開く
  • Sudo lsof -i -P -n | grep LISTEN torネットワークのLISTENポートはスクリプト内で同じでなければなりません
  • TorBrowserが開いている間、pythonスクリプトを実行します

ありがとうuser2426679 https://stackoverflow.com/a/21836296/3816638 設定について。

from Selenium import webdriver
from Selenium.webdriver.firefox.firefox_profile import FirefoxProfile
from Selenium.webdriver.firefox.firefox_binary import FirefoxBinary
from Selenium.webdriver.common.proxy import Proxy, ProxyType
from Selenium.webdriver.firefox.options import Options
import subprocess
import os

profileTor = '/etc/tor/' #  torrc
binary = os.path.expanduser("~/.local/share/torbrowser/tbb/x86_64/tor-browser_en-US/Browser/firefox")

firefox_binary = FirefoxBinary(binary)
firefox_profile = FirefoxProfile(profileTor)


#set some privacy settings
firefox_profile.set_preference( "places.history.enabled", False )
firefox_profile.set_preference( "privacy.clearOnShutdown.offlineApps", True )
firefox_profile.set_preference( "privacy.clearOnShutdown.passwords", True )
firefox_profile.set_preference( "privacy.clearOnShutdown.siteSettings", True )   
firefox_profile.set_preference( "privacy.sanitize.sanitizeOnShutdown", True )
firefox_profile.set_preference( "signon.rememberSignons", False )
firefox_profile.set_preference( "network.cookie.lifetimePolicy", 2 )
firefox_profile.set_preference( "network.dns.disablePrefetch", True )
firefox_profile.set_preference( "network.http.sendRefererHeader", 0 )

#set socks proxy
firefox_profile.set_preference( "network.proxy.type", 1 )
firefox_profile.set_preference( "network.proxy.socks_version", 5 )
firefox_profile.set_preference( "network.proxy.socks", '127.0.0.1' )
firefox_profile.set_preference( "network.proxy.socks_port", 9150 )
firefox_profile.set_preference( "network.proxy.socks_remote_dns", True )

#if you're really hardcore about your security
#js can be used to reveal your true i.p.
firefox_profile.set_preference( "javascript.enabled", False )

#get a huge speed increase by not downloading images
firefox_profile.set_preference( "permissions.default.image", 2 )

options = Options()
options.set_headless(headless=False)

driver = webdriver.Firefox(firefox_profile=firefox_profile,firefox_options=options)

print(driver)

driver.get("https://check.torproject.org/")
driver.save_screenshot("screenshot.png")
1
user3816638

私はこれを調べましたが、間違えない限り、額面どおりにそれを行うことはできません。

これができない理由は次のとおりです。

  • Tor Browserは、Firefoxコードに基づいています。
  • Tor Browserには、Firefoxコードに対する特定のパッチがあり、外部アプリケーションがTor Browserと通信するのを防ぎます(Components.Interfacesライブラリのブロックを含む)。
  • Selenium Firefox WebDriverは、前述のようにTor BrowserによってブロックされているJavascriptライブラリを介してブラウザと通信します。

これはおそらく、Tor Browserの外で、あなたのボックス上またはインターネット上で誰もあなたのブラウジングについて知らないでしょう。

あなたの選択肢は:

  • Torブラウザの代わりにFirefoxを介してTorプロキシを使用します(質問のコメントのリンクを参照)。
  • Tor Browserとの外部通信を妨げるパッチを除くTor Browserパッチを使用して、Firefoxのソースコードを再構築します。

前者をお勧めします。

0

Firefoxのみを制御するSeleniumの新しい代替手段として、 Marionette をご覧ください。 Torブラウザで使用するには、起動時にマリオネットを有効にします

Browser/firefox -marionette

(バンドル内)。次に、経由で接続できます

from marionette import Marionette
client = Marionette('localhost', port=2828);
client.start_session()

そして、例えば経由で新しいページをロードします

url='http://mozilla.org'
client.navigate(url);

他の例については、 tutorial があります。


古い回答

Torプロジェクトには、ブラウザ用に Seleniumテスト があります。次のように動作します:

from Selenium import webdriver
ffbinary = webdriver.firefox.firefox_binary.FirefoxBinary(firefox_path=os.environ['TBB_BIN'])
ffprofile = webdriver.firefox.firefox_profile.FirefoxProfile(profile_directory=os.environ['TBB_PROFILE'])
self.driver = webdriver.Firefox(firefox_binary=ffbinary, firefox_profile=ffprofile)
self.driver.implicitly_wait(30)
self.base_url = "about:tor"
self.verificationErrors = []
self.accept_next_alert = True
self.driver.get("http://check.torproject.org/")
self.assertEqual("Congratulations. This browser is configured to use Tor.", driver.find_element_by_css_selector("h1.on").text)

ご覧のとおり、これは環境変数TBB_BINおよびTBB_PROFILEブラウザーバンドルおよびプロファイル用。コード内でこれらをハードコーディングできる場合があります。

0
serv-inc

Rubyを使用して、

profile = Selenium::WebDriver::Firefox::Profile.new
profile.proxy = Selenium::WebDriver::Proxy.new :socks => '127.0.0.1:9050' #port where TOR runs
browser = Watir::Browser.new :firefox, :profile => profile

Torを使用していることを確認するには、 https://check.torproject.org/ を使用します

0
rdsoze