Selenium Cmd Gizleme

Merhabalar selenium üzerinden bir program geliştirmekteyim ve programı .exe olarak kaydederek çalıştırdığımda cmd ekranı açılıyor. Böylece çok amatör bir program olarak görünüyor. Cmd 'yi gizlemek münkün müdür ?

Mümkün ama Python’a bunun için kolay bir yol eklememişler. Şu linke göz atın:

1 Beğeni

Merhaba yardımınız için teşekkür ederim. bunu denemiştim fakat başarılı sonuç alamadım. Siz deneyip başarlılı sonuç aldınız mı acaba ? @EkremDincel

Denemedim ama kod doğru duruyor, şimdi deneyip söylerim.

1 Beğeni

Çalıştı, sizde çalışmayan ne?

1 Beğeni

Belirttiği ayarı yaptıktan sonra böyle bir kod oluşturdum.
sonra pyinstaller -w -F deneme.py olarak paketledim ve çalıştırdım.
Tekrar konsol ile açıldı.
from selenium.webdriver.chrome.options import Options from selenium.webdriver.common.desired_capabilities import DesiredCapabilities from selenium import webdriver chrome_options = Options() args = ["hide_console"] chrome = webdriver.Chrome("chromedriver.exe", options=chrome_options,service_args=args) # oguz chrome.get("https://facebook.com") import time time.sleep(10) chrome.get("https://google.com") time.sleep(123)

@EkremDincel

Ben Pyinstaller’ı denememiştim ona da bakıyım. İşletim sisteminiz ne bu arada?

Yanlız kodunuzu şu şekilde atarsanız daha rahat okunacak:

````python
kod
````

1 Beğeni

İşletim sistemin windows10

Bende konsolsuz açılıyor, siz gerekli dosyaları değiştirdiğinizden emin misiniz?

Benim kullandığım kod bu:

from selenium.webdriver import Chrome

args = ["hide_console"]

browser = Chrome(service_args=args)

input()

Service.py ’ deki düzenlemeyi yapıp sizin veridğiniz kodu çalıştırmama rağmen konsol açılıyor.
Sizin kullanmış olduğunuz service.py 'yi gönderme şansınız varmı ? Ayrıca oluşturmuş olduğunuz .exe dosyasını da bana atar msınız kendimde çalıştırıp denemek isterim.

@EkremDincel

# Licensed to the Software Freedom Conservancy (SFC) under one
# or more contributor license agreements.  See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership.  The SFC licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License.  You may obtain a copy of the License at
#
#   http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied.  See the License for the
# specific language governing permissions and limitations
# under the License.

import errno
import os
import platform
import subprocess
from subprocess import PIPE
import time
from selenium.common.exceptions import WebDriverException
from selenium.webdriver.common import utils

try:
    from subprocess import DEVNULL
    _HAS_NATIVE_DEVNULL = True
except ImportError:
    DEVNULL = -3
    _HAS_NATIVE_DEVNULL = False


class Service(object):

    def __init__(self, executable, port=0, log_file=DEVNULL, env=None, start_error_message=""):
        self.path = executable

        self.port = port
        if self.port == 0:
            self.port = utils.free_port()

        if not _HAS_NATIVE_DEVNULL and log_file == DEVNULL:
            log_file = open(os.devnull, 'wb')

        self.start_error_message = start_error_message
        self.log_file = log_file
        self.env = env or os.environ

    @property
    def service_url(self):
        """
        Gets the url of the Service
        """
        return "http://%s" % utils.join_host_port('localhost', self.port)

    def command_line_args(self):
        raise NotImplemented("This method needs to be implemented in a sub class")

    def start(self):
        """
        Starts the Service.

        :Exceptions:
         - WebDriverException : Raised either when it can't start the service
           or when it can't connect to the service
        """
        try:
            cmd = [self.path]
            cmd.extend(self.command_line_args())
##            self.process = subprocess.Popen(cmd, env=self.env,
##                                            close_fds=platform.system() != 'Windows',
##                                            stdout=self.log_file,
##                                            stderr=self.log_file,
##                                            stdin=PIPE)
            if any("hide_console" in arg for arg in self.command_line_args()):
                self.process = subprocess.Popen(cmd, stdin=PIPE, stdout=PIPE, stderr=PIPE, creationflags=0x08000000)
            else:
                self.process = subprocess.Popen(cmd, env=self.env, close_fds=platform.system() != 'Windows', stdout=self.log_file, stderr=self.log_file, stdin=PIPE)
        except TypeError:
            raise
        except OSError as err:
            if err.errno == errno.ENOENT:
                raise WebDriverException(
                    "'%s' executable needs to be in PATH. %s" % (
                        os.path.basename(self.path), self.start_error_message)
                )
            elif err.errno == errno.EACCES:
                raise WebDriverException(
                    "'%s' executable may have wrong permissions. %s" % (
                        os.path.basename(self.path), self.start_error_message)
                )
            else:
                raise
        except Exception as e:
            raise WebDriverException(
                "The executable %s needs to be available in the path. %s\n%s" %
                (os.path.basename(self.path), self.start_error_message, str(e)))
        count = 0
        while True:
            self.assert_process_still_running()
            if self.is_connectable():
                break
            count += 1
            time.sleep(1)
            if count == 30:
                raise WebDriverException("Can not connect to the Service %s" % self.path)

    def assert_process_still_running(self):
        return_code = self.process.poll()
        if return_code is not None:
            raise WebDriverException(
                'Service %s unexpectedly exited. Status code was: %s'
                % (self.path, return_code)
            )

    def is_connectable(self):
        return utils.is_connectable(self.port)

    def send_remote_shutdown_command(self):
        try:
            from urllib import request as url_request
            URLError = url_request.URLError
        except ImportError:
            import urllib2 as url_request
            import urllib2
            URLError = urllib2.URLError

        try:
            url_request.urlopen("%s/shutdown" % self.service_url)
        except URLError:
            return

        for x in range(30):
            if not self.is_connectable():
                break
            else:
                time.sleep(1)

    def stop(self):
        """
        Stops the service.
        """
        if self.log_file != PIPE and not (self.log_file == DEVNULL and _HAS_NATIVE_DEVNULL):
            try:
                self.log_file.close()
            except Exception:
                pass

        if self.process is None:
            return

        try:
            self.send_remote_shutdown_command()
        except TypeError:
            pass

        try:
            if self.process:
                for stream in [self.process.stdin,
                               self.process.stdout,
                               self.process.stderr]:
                    try:
                        stream.close()
                    except AttributeError:
                        pass
                self.process.terminate()
                self.process.wait()
                self.process.kill()
                self.process = None
        except OSError:
            pass

    def __del__(self):
        # `subprocess.Popen` doesn't send signal on `__del__`;
        # so we attempt to close the launched process when `__del__`
        # is triggered.
        try:
            self.stop()
        except Exception:
            pass

1 Beğeni

Malesef bende açılıyor. Heralde kullandıgım sürümler ile alakalı bir problemdir. https://prnt.sc/s2vggu

Bilemiyorum, ben kullandığım kodu da attım. Selenium versiyonum da 3.141.0

Benim sürümümde oymuş. Yardımınız için çok teşekkür ederim.
Farklı bir bilgisayarda deneyeceğim. Umarım çözebilirim. Sağlıcakla kalın.

1 Beğeni

Şimdi kodu pycharm üzerinden değilde id-le düzenleyici üzerinden çalıştırdım.
Service_args diye bir fonksiyonun webdriver.py de olmadığını belirtti. Sebebi muhtemelen bu olabilir mi ?
TypeError: init() got an unexpected keyword argument ‘service_args’

@EkremDincel

Python versiyonlarınıza dikkat edin lütfen, Pycharm’ın kullandığı Python ile IDLE’ın kullandığı farklı.

Yardımınız için tekrar teşekkürler. Üzerinde biraz zaman harcayacagım.Sizde çalıştıgını görmem bile yeterli oldu.

Sorunu çözdünüz mü? Büyük ihtimalle Pyinstaller’ını kullandığınız python kurulumu ile dosyayı değiştirdiğiniz kurulum farklı olduğu için yaşandı bu sorun.

Dosyayı .py uzantısı yerine .pyw şeklinde kaydettikten sonra exe ye çevirmeyi denediniz mi?

Sıkıntı betik dosyasında değil, sürücü uygulamasında.