Stopping an Android app using ADB
adb shell am force-stop com.my.app.package
References
https://stackoverflow.com/questions/3117095/stopping-an-android-app-from-console
adb shell am force-stop com.my.app.package
References
https://stackoverflow.com/questions/3117095/stopping-an-android-app-from-console
You can use an external command line tool for unzipping your archive, see here for example. Put it in your [Files] section:
[Files] Source: "7za.exe"; DestDir: "{tmp}"; Flags: deleteafterinstall;
Then call it in your [Run] section, like this:
[Run] Filename: {tmp}\7za.exe; Parameters: "x ""{tmp}\example.zip"" -o""{app}\"" * -r -aoa"; Flags: runhidden runascurrentuser;
References
https://stackoverflow.com/questions/40704442/is-there-a-way-to-extract-zip-files-in-inno-setup-after-a-certain-page-is-done
https://stackoverflow.com/questions/6065364/how-to-get-inno-setup-to-unzip-a-file-it-installed-all-as-part-of-the-one-insta
hwid = str(subprocess.check_output( 'wmic csproduct get uuid')).split('\\r\\n')[1].strip('\\r').strip()
References
https://stackoverflow.com/questions/38328176/getting-a-unique-hardware-id-with-python
from flask import request
Query Arguments
@app.route('/query-example') def query_example(): language = request.args.get('language') #if key doesn't exist, returns None return '''<h1>The language value is: {}</h1>'''.format(language)
Form Data
@app.route('/form-example', methods=['GET', 'POST']) #allow both GET and POST requests def form_example(): if request.method == 'POST': #this block is only entered when the form is submitted language = request.form.get('language') framework = request.form['framework'] return '''<h1>The language value is: {}</h1> <h1>The framework value is: {}</h1>'''.format(language, framework) return '''<form method="POST"> Language: <input type="text" name="language"><br> Framework: <input type="text" name="framework"><br> <input type="submit" value="Submit"><br> </form>'''
JSON Data
@app.route('/json-example', methods=['POST']) #GET requests will be blocked def json_example(): req_data = request.get_json() language = req_data['language'] framework = req_data['framework'] python_version = req_data['version_info']['python'] #two keys are needed because of the nested object example = req_data['examples'][0] #an index is needed because of the array boolean_test = req_data['boolean_test'] return ''' The language value is: {} The framework value is: {} The Python version is: {} The item at index 0 in the example list is: {} The boolean value is: {}'''.format(language, framework, python_version, example, boolean_test)
References
https://www.digitalocean.com/community/tutorials/processing-incoming-request-data-in-flask
from flask import Flask, jsonify app = Flask(__name__) @app.route('/api/get-json') def hello(): return jsonify(hello='world') # Returns HTTP Response with {"hello": "world"}
person = {'name': 'Alice', 'birth-year': 1986} return jsonify(person)
@app.route("/") def index(): return flask.jsonify(response_value_1=1,response_value_2="value")
References
https://riptutorial.com/flask/example/5831/return-a-json-response-from-flask-api
https://www.kite.com/python/answers/how-to-return-a-json-response-using-flask-in-python
from win32gui import SetWindowPos import win32con SetWindowPos(window.winId(), win32con.HWND_TOPMOST, # = always on top. only reliable way to bring it to the front on windows 0, 0, 0, 0, win32con.SWP_NOMOVE | win32con.SWP_NOSIZE | win32con.SWP_SHOWWINDOW) SetWindowPos(window.winId(), win32con.HWND_NOTOPMOST, # disable the always on top, but leave window at its top position 0, 0, 0, 0, win32con.SWP_NOMOVE | win32con.SWP_NOSIZE | win32con.SWP_SHOWWINDOW) window.raise_() window.show() window.activateWindow()
References
https://stackoverflow.com/questions/12118939/how-to-make-a-pyqt4-window-jump-to-the-front
client.send_message(chat, '😉') client.send_message(chat, '\U0001F609')
If you prefer to use text replacements in your code, install the emoji
package:
import emoji client.send_message(chat, emoji.emojize(':wink:'))
References
https://stackoverflow.com/questions/57549311/python-telegram-telethon-how-to-send-emoji
https://pypi.org/project/emoji/
https://apps.timwhitlock.info/emoji/tables/unicode
https://www.webfx.com/tools/emoji-cheat-sheet/
Enabling --onedir
multiprocessing support on Windows (does NOT work with --onefile
on Windows, but otherwise safe on all platforms/configurations):
if __name__ == '__main__': # On Windows calling this function is necessary. multiprocessing.freeze_support()
Enabling --onefile
multiprocessing support on Windows (safe on all platforms/configurations, compatible with --onedir
):
import multiprocessing.forking import os import sys class _Popen(multiprocessing.forking.Popen): def __init__(self, *args, **kw): if hasattr(sys, 'frozen'): # We have to set original _MEIPASS2 value from sys._MEIPASS # to get --onefile mode working. os.putenv('_MEIPASS2', sys._MEIPASS) try: super(_Popen, self).__init__(*args, **kw) finally: if hasattr(sys, 'frozen'): # On some platforms (e.g. AIX) 'os.unsetenv()' is not # available. In those cases we cannot delete the variable # but only set it to the empty string. The bootloader # can handle this case. if hasattr(os, 'unsetenv'): os.unsetenv('_MEIPASS2') else: os.putenv('_MEIPASS2', '') class Process(multiprocessing.Process): _Popen = _Popen # ... if __name__ == '__main__': # On Windows calling this function is necessary. multiprocessing.freeze_support() # Use your new Process class instead of multiprocessing.Process
si = subprocess.STARTUPINFO() si.dwFlags |= subprocess.STARTF_USESHOWWINDOW #si.wShowWindow = subprocess.SW_HIDE # default subprocess.call('taskkill /F /IM exename.exe', startupinfo=si)
CREATE_NO_WINDOW = 0x08000000 subprocess.call('taskkill /F /IM exename.exe', creationflags=CREATE_NO_WINDOW)
DETACHED_PROCESS = 0x00000008 subprocess.call('taskkill /F /IM exename.exe', creationflags=DETACHED_PROCESS)
... output = bytearray(self.process.readAllStandardOutput()) output = output.decode(self.GetCMD_Encoding()) print (output) def GetCMD_Encoding(self): CMD = QProcess(self) CMD.setProcessChannelMode(QProcess.MergedChannels) CMD.start("C:\Windows\System32\chcp.com") CMD.waitForReadyRead() output = bytearray(CMD.readAllStandardOutput()) output = output.decode("ascii") output = output[18:] return "cp" + output
References
https://stackoverflow.com/questions/41761132/pyqt-qprocess-readallstandardoutput-encoding
https://stackoverflow.com/questions/57663191/how-to-convert-a-qbytearray-to-a-python-string-in-pyside2