目錄

廣告 AD

Windows: 透過右鍵功能表快速執行 Python 程式

寫了一個將圖片轉成 PDF 的 Python 工具

但實在是不想要每次下指令執行

也不想要輸入檔案路徑

索性找了個方法在檔案右鍵選單上加上了選項來快速執行

廣告 AD

我們都知道在檔案總管中可以右鍵叫出功能表,像是這樣:

Windows 11 檔案右鍵功能表


左邊的是 Windows 11 的右鍵功能表,右邊則是 Windows 10 的右鍵功能表,在 Windows 11 中,我們可以透過按下下方的顯示其他選項來顯示 Windows 10 的舊版功能表,或是在右鍵的時候一同按下 shift 按鍵也可以直接顯示舊版功能表。



我寫了一個簡單的 Python 程式來幫助我們將圖片轉成 PDF,也就是今天要當作範例的程式。

我們透過 Pillow 套件來轉換圖片成 PDF 檔案,在轉換完成之後透過 win11toast 套件通知我們轉換完成。後續有考慮要新增其他類型和功能,於是有使用 argparse 來幫助判斷類型。

python

import os
import argparse

from pathlib import Path
from win11toast import notify
from PIL import Image


# convert images to a pdf
def img2pdf(filenames):
    if len(filenames) == 0:
        return

    images = [Image.open(f) for f in filenames]
    pdf_path = os.path.join(os.getcwd(), f"{Path(filenames[0]).stem}.pdf")
    images[0].save(
        pdf_path,
        "PDF",
        resolution=100.0,
        save_all=True,
        append_images=images[1:],
    )
    notify("Finish generating pdf file", f"{pdf_path}")


if __name__ == "__main__":
    parser = argparse.ArgumentParser()
    parser.add_argument(
        "-t",
        "--type",
        type=str,
        choices=["pdf"],
        help="output type",
        required=True,
    )
    parser.add_argument("images", nargs="+", type=str, help="input filenames")
    args = parser.parse_args()

    if args.type == "pdf":
        img2pdf(args.images)

我們首先要打開登陸編輯程式,可以透過 Win + R,並輸入 regedit 來打開

打開 regedit


  1. 電腦\HKEY_CURRENT_USER\Software\Classes\*\shell 建立新的機碼,並取名為你想要顯示在 menu 的名稱。


  2. 在步驟 1 建立的機碼下,再次創建一個名為 command 的機碼,並設定預設值為你要執行指令,檔案名稱使用 “%1” 代替。

    shell

    py test.py <file>
    # change to
    py test.py "%1"



  1. 電腦\HKEY_CURRENT_USER\Software\Classes\*\shell 建立新的機碼,並取名為你想要顯示在 menu 的名稱,除此之外,要設定以下設定:

    text

    MUIVerb = <空值>
    SubCommands = <空值>

  2. 在步驟 1 建立的機碼下,再次創建一個名為 shell 的機碼。

  3. 在步驟 2 建立的機碼下,創建一個新的機碼,名稱為該指令顯示在 menu 的名稱。

  4. 在步驟 3 建立的機碼下,創建一個名為 command 的機碼,並設定預設值為你要執行指令,檔案名稱使用 “%1” 代替。


如果要更多層的話,依此類推,即可建立更多層列表,以上方法用手工操作容易失誤,因此使用 Python 來操作:

Python

import os
import sys
import winreg as reg
from typing import Union


def get_key_or_create_if_not_exist(
    parent_key: Union[int, reg.HKEYType],
    key_path: str,
):
    assert parent_key is not None, "parent_key can not be None"
    assert key_path is not None, "key_path can not be None"
    try:
        return reg.OpenKey(parent_key, key_path)
    except FileNotFoundError:
        return reg.CreateKey(parent_key, key_path)


def set_ex_if_not_exist(key: reg.HKEYType, value_name: str, value: str):
    assert key is not None, "key can not be None"
    assert value_name is not None, "value_name can not be None"
    if value is None:
        return
    try:
        reg.QueryValueEx(key, value_name)
    except FileNotFoundError:
        reg.SetValueEx(key, value_name, None, reg.REG_EXPAND_SZ, value)


def register(
    menu_name: str,
    menu_icon_path: str,
    item_name: str,
    script_path: str,
    script_args: str = "",
    multi_select: bool = False,
):
    python_exe = sys.executable
    hidden_python_exe = os.path.join(
        os.path.dirname(python_exe), "pythonw.exe"
    )
    script_abs_path = os.path.abspath(script_path)
    script_cmd = (
        f'"{hidden_python_exe}" "{script_abs_path}" "%1" {script_args}'
        if multi_select
        else f'"{hidden_python_exe}" "{script_abs_path}" {script_args} "%1"'
    )

    # otter shell
    menu_shell_key = get_key_or_create_if_not_exist(
        parent_key=reg.HKEY_CURRENT_USER,
        key_path=r"Software\\Classes\\*\\shell\\",
    )
    menu_key = get_key_or_create_if_not_exist(
        parent_key=menu_shell_key, key_path=menu_name
    )
    set_ex_if_not_exist(menu_key, "Icon", menu_icon_path)
    set_ex_if_not_exist(menu_key, "MUIVerb", "")
    set_ex_if_not_exist(menu_key, "SubCommands", "")
    if multi_select:
        set_ex_if_not_exist(menu_key, "MultiSelectModel", "Player")

    # inner shell
    item_shell_key = get_key_or_create_if_not_exist(
        parent_key=menu_key, key_path="shell"
    )
    item_key = get_key_or_create_if_not_exist(
        parent_key=item_shell_key, key_path=item_name
    )
    set_ex_if_not_exist(item_key, "", "")

    # command
    command_key = get_key_or_create_if_not_exist(item_key, "command")
    set_ex_if_not_exist(command_key, "", script_cmd)

if __name__ == "__main__":
    register("Converter", None, "Image to PDF", "./convert_img.pyw", "-t pdf")

目前如果選取多個檔案,會對於選擇的每個檔案,個別開啟一個獨立的 Process 處理,如果要同時一起處理,則要特別處理:


  1. 打開"傳送到"的捷徑資料夾,使用 Win + R 打開執行介面,輸入 shell:sendto。

  2. 建立捷徑。

  3. 輸入指令。

  4. 輸入捷徑名稱

  5. 完成。


透過其他程式將指令集合,然後再執行原本的指令。

可以使用 context-menu-launcher zenden2k/context-menu-launcher,將指令設定為如下:

shell

<path/to/singleinstance.exe> "%1" <path/to/python.exe> test.py $files

由於我還是希望全部都是由 Python 撰寫,因此我參考了 context-menu-launcher 的做法,採用 shared memory 的方式寫了一個 Python 的 caller,先呼叫 caller 並把原本的指令當作參數傳入給 caller,最後 caller 會在集結所有檔案之後,使用原本的指令處理檔案。

Python

import win32event as evt
import win32api as api
import win32con as con
import subprocess
import time
import sys
from multiprocessing import shared_memory
from typing import List

ERROR_ALREADY_EXISTS = 183  # Not defined in pywin32
CLASS_NAME = "MENU_CALLER_WindowClass"
NAME = "MENU_CALLER_9d2d0175-497c-42e6-a89d-9b10912970f2"
MUTEX_NAME_EXIST = f"Global\\{NAME}_EXIST"
MUTEX_NAME_SHARED_MEMORY = f"Global\\{NAME}_SHARED_MEMORY"
SHARED_MEMORY_NAME = NAME

WAIT_TIMEOUT = 600  # ms
REQUIRE_LOCK_TIMEOUT = 1000  # ms
SHARED_MEMORY_SIZE_PER_STR = 512  # bytes
SHARED_MEMORY_SIZE_PER_STR_LEN = 2  # bytes
SHARED_MEMORY_STR_COUNT = 255
SHARED_MEMORY_STR_COUNT_LEN = 1  # bytes
SHARED_MEMORY_TOTAL_SIZE = (
    SHARED_MEMORY_SIZE_PER_STR + SHARED_MEMORY_SIZE_PER_STR_LEN
) * SHARED_MEMORY_STR_COUNT + SHARED_MEMORY_STR_COUNT_LEN  # bytes


class InstanceChecker:
    def __init__(self):
        self.mutex = evt.CreateMutex(None, True, MUTEX_NAME_EXIST)
        self.instance_exist = api.GetLastError() == ERROR_ALREADY_EXISTS

    def is_instance_exist(self):
        return self.instance_exist

    def release(self):
        if self.mutex is not None and not self.instance_exist:
            evt.ReleaseMutex(self.mutex)
            api.CloseHandle(self.mutex)
            self.mutex = None

    def __del__(self):
        self.release()


class SharedMemoryLock:
    def __init__(self, create: bool):
        self.owner = create
        if create:
            self.mutex = evt.CreateMutex(None, False, MUTEX_NAME_SHARED_MEMORY)
        else:
            self.mutex = evt.OpenMutex(
                con.SYNCHRONIZE, True, MUTEX_NAME_SHARED_MEMORY
            )
        if self.mutex is None or self.mutex == 0:
            print(f"Shared Memory Lock Error: {api.GetLastError()}")

    def require(self):
        result = evt.WaitForSingleObject(self.mutex, REQUIRE_LOCK_TIMEOUT)
        if result == evt.WAIT_TIMEOUT:
            print("Shared Memory Lock Require Timeout Error")

    def release(self):
        evt.ReleaseMutex(self.mutex)

    def __del__(self):
        if self.owner:
            api.CloseHandle(self.mutex)


class SharedMemoryManager:
    def __init__(self, create: bool) -> None:
        self.owner = create
        self.lock = SharedMemoryLock(create)
        self.lock.require()
        self.sm = shared_memory.SharedMemory(
            name=SHARED_MEMORY_NAME,
            create=create,
            size=SHARED_MEMORY_TOTAL_SIZE,
        )
        if create:
            self.set_str_count(0)
        self.lock.release()

    def set_str_count(self, val: int):
        self.lock.require()
        self.sm.buf[SHARED_MEMORY_TOTAL_SIZE - 1] = val.to_bytes(1)[0]
        self.lock.release()

    def get_str_count(self):
        return int.from_bytes(
            self.sm.buf[SHARED_MEMORY_TOTAL_SIZE - 1].to_bytes()
        )

    def write_str(self, val: str):
        self.lock.require()
        str_count = self.get_str_count()
        start_idx = str_count * (
            SHARED_MEMORY_SIZE_PER_STR + SHARED_MEMORY_SIZE_PER_STR_LEN
        )
        str_start_idx = start_idx + SHARED_MEMORY_SIZE_PER_STR_LEN

        str_bytes = val.encode()
        self.sm.buf[str_start_idx : str_start_idx + len(str_bytes)] = str_bytes
        self.sm.buf[start_idx : start_idx + SHARED_MEMORY_SIZE_PER_STR_LEN] = (
            len(str_bytes).to_bytes(2)
        )

        self.lock.release()
        self.set_str_count(str_count + 1)

    def read_strs(self) -> List[str]:
        self.lock.require()
        strings = []
        str_count = self.get_str_count()
        for i in range(str_count):
            start_idx = i * (
                SHARED_MEMORY_SIZE_PER_STR + SHARED_MEMORY_SIZE_PER_STR_LEN
            )
            str_start_idx = start_idx + SHARED_MEMORY_SIZE_PER_STR_LEN

            str_len = int.from_bytes(
                self.sm.buf[
                    start_idx : start_idx + SHARED_MEMORY_SIZE_PER_STR_LEN
                ].tobytes()
            )
            s = (
                self.sm.buf[str_start_idx : str_start_idx + str_len]
                .tobytes()
                .decode()
            )
            strings.append(s)
        self.lock.release()
        return strings

    def __del__(self):
        del self.lock
        if self.owner:
            self.sm.unlink()
        self.sm.close()


def replace_params_with_files_path(params: List[str], paths: List[str]):
    try:
        token_idx = params.index("$files")
        params.pop(token_idx)
        for path in reversed(paths):
            params.insert(token_idx, path)
    except ValueError:
        params.extend(paths)


def main():
    if len(sys.argv) < 3:
        return
    target_file = sys.argv[1]
    params = sys.argv[2:]

    checker = InstanceChecker()
    if checker.is_instance_exist():
        smm = SharedMemoryManager(create=False)
        smm.write_str(target_file)
        del smm
    else:
        smm = SharedMemoryManager(create=True)
        smm.write_str(target_file)
        prev_str_count = smm.get_str_count()

        # loop to check whether we receive all messages
        while True:
            time.sleep(WAIT_TIMEOUT / 1000)
            cur_str_count = smm.get_str_count()
            if prev_str_count == cur_str_count:
                break
            prev_str_count = cur_str_count

        # get all paths
        paths = smm.read_strs()
        del smm

        # run the process
        replace_params_with_files_path(params, paths)
        p = subprocess.Popen(params, shell=True)
        p.wait()


if __name__ == "__main__":
    main()

指令要改為

shell

py caller.py "%1" <original command> $files

  • 如果使用 Python,會打開 cmd 的黑視窗,視窗會突然閃一下,我們可以用 Pythonw.exe 取代 Python.exe 來執行程式,並將副檔名從 .py 改成 .pyw


廣告 AD