Django,无序列化的持久性

2024-05-15 03:02:04 发布

您现在位置:Python中文网/ 问答频道 /正文

我正在做一个Django项目,它使用平板扫描仪。连接到扫描仪需要很长时间。因此,我正在寻找一种重新使用scanner实例的方法

序列化似乎是这个问题的最佳解决方案。不幸的是,我无法序列化或pickle scanner实例。我不断遇到错误,这些错误告诉我序列化失败了

是否有其他方法可重复使用同一扫描仪实例进行多次扫描?一个后端把戏或者一些前端魔术?(注意,我对前端开发一无所知。)

我们可以骗一点

该项目将在本地计算机上脱机运行,没有任何internet或网络连接。这可能会给出其他方面不安全的选项

我用来扫描的东西


Tags: 项目django实例方法序列化计算机错误魔术
1条回答
网友
1楼 · 发布于 2024-05-15 03:02:04

在四处寻找了一会儿之后,我发现了RPyC。本教程提供了一个工作示例,我在几分钟内就完成了

服务启动并连接到扫描仪。多个客户端可以调用该服务并立即扫描

import rpyc
import sane


class MyService(rpyc.Service):

    def __init__(self):
        self.scanner = Scanner()

    def on_connect(self, conn):
        pass

    def on_disconnect(self, conn):
        pass

    def exposed_scan_image(self):
        self.scanner.low_dpi_scan('scanner_service')


class Scanner(object):
    """
    The Scanner class is used to interact with flatbed scanners.
    """

    def __init__(self):
        sane.init()
        self.device_name = None
        self.error_message = None
        self.device = self.get_device()

    def get_device(self):
        """
        Return the first detected scanner and set the name.

        @return: sane.SaneDev
        """
        devices = sane.get_devices()
        print('Available devices:', devices)

        # Empty list means no scanner is connect or the connected scanner is
        # already being used
        if not devices:
            self.error_message = 'Scanner disconnect or already being used.'
            print(self.error_message)
            return None

        # open the first scanner you see
        try:
            device = sane.open(devices[0][0])
        except Exception as e:
            self.error_message = e
            print(e)
            return None

        brand = devices[0][1]
        model = devices[0][2]
        self.device_name = "{brand}_{model}".format(
            brand=brand,
            model=model
        )

        print("Connected to:", self.device_name)

        # set to color scanning mode, this is not always the default mode
        device.mode = 'color'

        return device

    def low_dpi_scan(self, file_name):
        """
        Scan at 300 dpi and store as jpeg.

        @param file_name: string
        """
        image = self.scan_image(300)
        image.save(file_name+'.jpeg')

    def scan_image(self, dpi):
        """
        Scan an image.

        @param dpi: integer
        @return: image file
        """
        self.device.resolution = dpi
        self.device.start()
        image = self.device.snap()

        return image


if __name__ == "__main__":
    from rpyc.utils.server import ThreadedServer
    t = ThreadedServer(MyService(), port=18861)
    t.start()


相关问题 更多 >

    热门问题