Porting a sub-class of python2 'file' class to python3

走远了吗. 提交于 2019-12-08 02:36:33

问题


I have a legacy code that calls class TiffFile(file). What is the python3 way to call it?

I tried to replace following in python2:

class TiffFile(file):
    def __init__(self, path):
        file.__init__(self, path, 'r+b')

By this in python3:

class TiffFile(RawIOBase):
    def __init__(self, path):
        super(TiffFile, self).__init__(path, 'r+b')

But now I am getting TypeError: object.__init__() takes no parameters


回答1:


RawIOBase.__init__ does not take any arguments, that is where you error is.

Your TiffFile implementation also inherits file which is not a a class, but a constructor function, so your Python 2 implementation is non-idiomatic, and someone could even claim it is wrong-ish. You should use open instead of file, and in a class context you should use an io module class for input and output.

You can use open to return a file object for use as you would use file in Python 2.7 or you can use io.FileIO in both Python 2 and Python 3 for accessing file streams, like you would do with open.

So your implementation would be more like:

import io

class TiffFile(io.FileIO):
    def __init__(self, name, mode='r+b', *args, **kwargs):
        super(TiffFile, self).__init__(name, mode, *args, **kwargs)

This should work in all currently supported Python versions and allow you the same interface as your old implementation while being more correct and portable.

Are you actually using r+b for opening the file in read-write-binary mode on Windows? You should probably be using rb mode if you are not writing into the file, but just reading the TIFF data. rb would open the file in binary mode for reading only. The appended + sets the file to open in read-write mode.



来源:https://stackoverflow.com/questions/47838405/porting-a-sub-class-of-python2-file-class-to-python3

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!