管理タスクを実行する必要があるpyqtアプリケーションを書いています。昇格した特権でスクリプトを開始したいと思います。この質問はSOまたは他のフォーラムで何度も尋ねられることを知っています。しかし、人々が提案している解決策は、このSO質問を見ることです Pythonスクリプト内からUACの昇格を要求しますか?
ただし、リンクに記載されているサンプルコードを実行できません。このコードをメインファイルの上に配置し、実行しようとしました。
import os
import sys
import win32com.Shell.shell as Shell
ASADMIN = 'asadmin'
if sys.argv[-1] != ASADMIN:
script = os.path.abspath(sys.argv[0])
params = ' '.join([script] + sys.argv[1:] + [ASADMIN])
Shell.ShellExecuteEx(lpVerb='runas', lpFile=sys.executable, lpParameters=params)
sys.exit(0)
print "I am root now."
実際には昇格する許可を求めますが、印刷行は実行されません。誰かが上記のコードを正常に実行するのを手伝ってくれます。前もって感謝します。
お返事ありがとうございます。 2010年にPreston Landersが作成したモジュール/スクリプトでスクリプトを動作させました。インターネットを2日間閲覧した後、pywin32メーリングリストに隠されていたスクリプトを見つけることができました。このスクリプトを使用すると、ユーザーが管理者であるかどうかを確認し、そうでない場合はUAC /管理者権限を要求するのが簡単です。コードが何をしているかを調べるために、個別のウィンドウに出力を提供します。スクリプトにも含まれているコードの使用方法の例。 WindowsでUACを探しているすべての人のために、このコードを参照してください。同じソリューションを探している人に役立つことを願っています。メインスクリプトから次のようなものを使用できます:
import admin
if not admin.isUserAdmin():
admin.runAsAdmin()
実際のコードは次のとおりです。
#!/usr/bin/env python
# -*- coding: utf-8; mode: python; py-indent-offset: 4; indent-tabs-mode: nil -*-
# vim: fileencoding=utf-8 tabstop=4 expandtab shiftwidth=4
# (C) COPYRIGHT © Preston Landers 2010
# Released under the same license as Python 2.6.5
import sys, os, traceback, types
def isUserAdmin():
if os.name == 'nt':
import ctypes
# WARNING: requires Windows XP SP2 or higher!
try:
return ctypes.windll.Shell32.IsUserAnAdmin()
except:
traceback.print_exc()
print "Admin check failed, assuming not an admin."
return False
Elif os.name == 'posix':
# Check for root on Posix
return os.getuid() == 0
else:
raise RuntimeError, "Unsupported operating system for this module: %s" % (os.name,)
def runAsAdmin(cmdLine=None, wait=True):
if os.name != 'nt':
raise RuntimeError, "This function is only implemented on Windows."
import win32api, win32con, win32event, win32process
from win32com.Shell.shell import ShellExecuteEx
from win32com.Shell import shellcon
python_exe = sys.executable
if cmdLine is None:
cmdLine = [python_exe] + sys.argv
Elif type(cmdLine) not in (types.TupleType,types.ListType):
raise ValueError, "cmdLine is not a sequence."
cmd = '"%s"' % (cmdLine[0],)
# XXX TODO: isn't there a function or something we can call to massage command line params?
params = " ".join(['"%s"' % (x,) for x in cmdLine[1:]])
cmdDir = ''
showCmd = win32con.SW_SHOWNORMAL
#showCmd = win32con.SW_HIDE
lpVerb = 'runas' # causes UAC elevation Prompt.
# print "Running", cmd, params
# ShellExecute() doesn't seem to allow us to fetch the PID or handle
# of the process, so we can't get anything useful from it. Therefore
# the more complex ShellExecuteEx() must be used.
# procHandle = win32api.ShellExecute(0, lpVerb, cmd, params, cmdDir, showCmd)
procInfo = ShellExecuteEx(nShow=showCmd,
fMask=shellcon.SEE_MASK_NOCLOSEPROCESS,
lpVerb=lpVerb,
lpFile=cmd,
lpParameters=params)
if wait:
procHandle = procInfo['hProcess']
obj = win32event.WaitForSingleObject(procHandle, win32event.INFINITE)
rc = win32process.GetExitCodeProcess(procHandle)
#print "Process handle %s returned code %s" % (procHandle, rc)
else:
rc = None
return rc
def test():
rc = 0
if not isUserAdmin():
print "You're not an admin.", os.getpid(), "params: ", sys.argv
#rc = runAsAdmin(["c:\\Windows\\notepad.exe"])
rc = runAsAdmin()
else:
print "You are an admin!", os.getpid(), "params: ", sys.argv
rc = 0
x = raw_input('Press Enter to exit.')
return rc
if __== "__main__":
sys.exit(test())
からの回答に対するコメントで/ 誰かが言うShellExecuteExはSTDOUTを元のシェルにポストしません。そのため、コードがおそらく正常に機能していても、「私は今ルートです」とは表示されません。
何かを印刷する代わりに、ファイルへの書き込みを試してください。
import os
import sys
import win32com.Shell.shell as Shell
ASADMIN = 'asadmin'
if sys.argv[-1] != ASADMIN:
script = os.path.abspath(sys.argv[0])
params = ' '.join([script] + sys.argv[1:] + [ASADMIN])
Shell.ShellExecuteEx(lpVerb='runas', lpFile=sys.executable, lpParameters=params)
sys.exit(0)
with open("somefilename.txt", "w") as out:
print >> out, "i am root"
次に、ファイルを調べます。
Stdoutリダイレクトを使用したソリューションは次のとおりです。
def elevate():
import ctypes, win32com.Shell.shell, win32event, win32process
outpath = r'%s\%s.out' % (os.environ["TEMP"], os.path.basename(__file__))
if ctypes.windll.Shell32.IsUserAnAdmin():
if os.path.isfile(outpath):
sys.stderr = sys.stdout = open(outpath, 'w', 0)
return
with open(outpath, 'w+', 0) as outfile:
hProc = win32com.Shell.shell.ShellExecuteEx(lpFile=sys.executable, \
lpVerb='runas', lpParameters=' '.join(sys.argv), fMask=64, nShow=0)['hProcess']
while True:
hr = win32event.WaitForSingleObject(hProc, 40)
while True:
line = outfile.readline()
if not line: break
sys.stdout.write(line)
if hr != 0x102: break
os.remove(outpath)
sys.stderr = ''
sys.exit(win32process.GetExitCodeProcess(hProc))
if __== '__main__':
elevate()
main()
Ctypesモジュールのみが必要なソリューションを次に示します。 pyinstallerラッププログラムをサポートします。
#!python
# coding: utf-8
import sys
import ctypes
def run_as_admin(argv=None, debug=False):
Shell32 = ctypes.windll.Shell32
if argv is None and Shell32.IsUserAnAdmin():
return True
if argv is None:
argv = sys.argv
if hasattr(sys, '_MEIPASS'):
# Support pyinstaller wrapped program.
arguments = map(unicode, argv[1:])
else:
arguments = map(unicode, argv)
argument_line = u' '.join(arguments)
executable = unicode(sys.executable)
if debug:
print 'Command line: ', executable, argument_line
ret = Shell32.ShellExecuteW(None, u"runas", executable, argument_line, None, 1)
if int(ret) <= 32:
return False
return None
if __== '__main__':
ret = run_as_admin()
if ret is True:
print 'I have admin privilege.'
raw_input('Press ENTER to exit.')
Elif ret is None:
print 'I am elevating to admin privilege.'
raw_input('Press ENTER to exit.')
else:
print 'Error(ret=%d): cannot elevate privilege.' % (ret, )
この問題の非常に簡単な解決策を見つけました。
python.exe
のショートカットを作成しますC:\xxx\...\python.exe your_script.py
のようなものに変更します私は中国語版のWindowsを使用しているため、これらのオプションのスペルが正しいかどうかはわかりません。
また、作業ディレクトリが異なる場合は、lpDirectoryを使用できます。
procInfo = ShellExecuteEx(nShow=showCmd,
lpVerb=lpVerb,
lpFile=cmd,
lpDirectory= unicode(direc),
lpParameters=params)
パスの変更が望ましいオプションではない場合に便利になりますpython 3.XのUnicodeを削除します
Delphifirstによる解決策が機能し、昇格した権限でpythonスクリプトを実行する問題に対する最も簡単で最も簡単な解決策であることを確認できます。
python実行可能ファイル(python.exe)へのショートカットを作成し、python.exeの呼び出し後にスクリプト名を追加してショートカットを変更しました。次に、ショートカットの「互換性タブ」で「管理者として実行」をチェックしました。ショートカットが実行されると、管理者としてスクリプトを実行する許可を求めるプロンプトが表示されます。
私の特定のpythonアプリケーションはインストーラープログラムでした。このプログラムでは、別のpythonアプリをインストールおよびアンインストールできます。私の場合、「appname install」という名前と「appname uninstall」という名前の2つのショートカットを作成しました。 2つのショートカットの唯一の違いは、pythonスクリプト名に続く引数です。インストーラーバージョンでは、引数は「install」です。アンインストールバージョンでは、引数は「uninstall」です。インストーラースクリプトのコードは、指定された引数を評価し、必要に応じて適切な関数(インストールまたはアンインストール)を呼び出します。
私の説明が、昇格した特権でpythonスクリプトを実行する方法を他の人がより迅速に理解するのに役立つことを願っています。