root / pkpgcounter / trunk / pkpgpdls / analyzer.py @ 492

Revision 492, 9.9 kB (checked in by jerome, 16 years ago)

Even more code cleaning : we use named temporary files now, so no need for pipes.

  • Property svn:keywords set to Auth Date Id Rev
Line 
1#
2# pkpgcounter : a generic Page Description Language parser
3#
4# (c) 2003, 2004, 2005, 2006, 2007 Jerome Alet <alet@librelogiciel.com>
5# This program is free software: you can redistribute it and/or modify
6# it under the terms of the GNU General Public License as published by
7# the Free Software Foundation, either version 3 of the License, or
8# (at your option) any later version.
9#
10# This program is distributed in the hope that it will be useful,
11# but WITHOUT ANY WARRANTY; without even the implied warranty of
12# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
13# GNU General Public License for more details.
14#
15# You should have received a copy of the GNU General Public License
16# along with this program.  If not, see <http://www.gnu.org/licenses/>.
17#
18# $Id$
19#
20
21"""This is the main module of pkpgcounter.
22
23It defines the PDLAnalyzer class, which provides a generic way to parse
24input files, by automatically detecting the best parser to use."""
25
26import sys
27import os
28import tempfile
29
30import version, pdlparser, postscript, pdf, pcl345, pclxl, hbp, \
31       lidil, escp2, dvi, tiff, ooo, zjstream, qpdl, spl1, escpages03, plain
32import inkcoverage
33
34class AnalyzerOptions :
35    """A class for use as the options parameter to PDLAnalyzer's constructor."""
36    def __init__(self, debug=None,
37                       colorspace=None,
38                       resolution=None) :
39        """Sets initial attributes."""
40        self.debug = debug
41        self.colorspace = colorspace
42        self.resolution = resolution
43   
44   
45class PDLAnalyzer :   
46    """Class for PDL autodetection."""
47    def __init__(self, filename, options=AnalyzerOptions()) :
48        """Initializes the PDL analyzer.
49       
50           filename is the name of the file or '-' for stdin.
51           filename can also be a file-like object which
52           supports read() and seek().
53        """
54        self.options = options
55        self.filename = filename
56        self.workfile = None 
57        self.mustclose = None
58       
59    def getJobSize(self) :   
60        """Returns the job's size."""
61        size = 0
62        self.openFile()
63        try :
64            try :
65                pdlhandler = self.detectPDLHandler()
66                size = pdlhandler.getJobSize()
67            except pdlparser.PDLParserError, msg :   
68                raise pdlparser.PDLParserError, "Unknown file format for %s (%s)" % (self.filename, msg)
69        finally :   
70            self.closeFile()
71        return size
72           
73    def getInkCoverage(self, colorspace=None, resolution=None) :
74        """Extracts the percents of ink coverage from the input file."""
75        result = None
76        cspace = colorspace or self.options.colorspace
77        res = resolution or self.options.resolution
78        if (not cspace) or (not res) :
79            raise ValueError, "Invalid colorspace (%s) or resolution (%s)" % (cspace, res)
80        self.openFile()
81        try :
82            try :
83                pdlhandler = self.detectPDLHandler()
84                (handle, filename) = tempfile.mkstemp(".tmp", "pkpgcounter")
85                os.close(handle)
86                try :
87                    pdlhandler.convertToTiffMultiPage24NC(filename, self.options.resolution)
88                    result = inkcoverage.getInkCoverage(filename, cspace)
89                finally :   
90                    try :
91                        os.remove(filename)
92                    except OSError :   
93                        sys.stderr.write("Problem while trying to remove temporary file %s\n" % filename)
94            except pdlparser.PDLParserError, msg :   
95                raise pdlparser.PDLParserError, "Unknown file format for %s (%s)" % (self.filename, msg)
96        finally :
97            self.closeFile()
98        return result
99       
100    def openFile(self) :   
101        """Opens the job's data stream for reading."""
102        self.mustclose = False  # by default we don't want to close the file when finished
103        if hasattr(self.filename, "read") and hasattr(self.filename, "seek") :
104            # filename is in fact a file-like object
105            infile = self.filename
106        elif self.filename == "-" :
107            # we must read from stdin
108            infile = sys.stdin
109        else :   
110            # normal file
111            self.workfile = open(self.filename, "rb")
112            self.mustclose = True
113            return
114           
115        # Use a temporary file, always seekable contrary to standard input.
116        self.workfile = tempfile.NamedTemporaryFile(mode="w+b")
117        self.filename = self.workfile.name
118        while True :
119            data = infile.read(pdlparser.MEGABYTE) 
120            if not data :
121                break
122            self.workfile.write(data)
123        self.workfile.flush()   
124        self.workfile.seek(0)
125           
126    def closeFile(self) :       
127        """Closes the job's data stream if we have to."""
128        if self.mustclose :
129            self.workfile.close()   
130       
131    def detectPDLHandler(self) :   
132        """Tries to autodetect the document format.
133       
134           Returns the correct PDL handler class or None if format is unknown
135        """   
136        if not os.stat(self.filename).st_size :
137            raise pdlparser.PDLParserError, "input file %s is empty !" % str(self.filename)
138        # IMPORTANT : the order is important below. FIXME.
139        for module in (postscript, \
140                       pclxl, \
141                       pdf, \
142                       qpdl, \
143                       spl1, \
144                       dvi, \
145                       tiff, \
146                       zjstream, \
147                       ooo, \
148                       hbp, \
149                       lidil, \
150                       pcl345, \
151                       escp2, \
152                       escpages03, \
153                       plain) :     # IMPORTANT : don't move this one up !
154            try :               
155                return module.Parser(self.filename, self.options.debug)
156            except pdlparser.PDLParserError :
157                pass # try next parser
158        raise pdlparser.PDLParserError, "Analysis of first data block failed."
159           
160def main() :   
161    """Entry point for PDL Analyzer."""
162    import optparse
163    from copy import copy
164   
165    def check_cichoice(option, opt, value) :
166        """To add a CaseIgnore Choice option type."""
167        valower = value.lower()
168        if valower in [v.lower() for v in option.cichoices] :
169            return valower
170        else :   
171            choices = ", ".join([repr(o) for o in option.cichoices])
172            raise optparse.OptionValueError(
173                "option %s: invalid choice: %r (choose from %s)"
174                % (opt, value, choices))
175   
176    class MyOption(optparse.Option) :
177        """New Option class, with CaseIgnore Choice type."""
178        TYPES = optparse.Option.TYPES + ("cichoice",)
179        ATTRS = optparse.Option.ATTRS + ["cichoices"]
180        TYPE_CHECKER = copy(optparse.Option.TYPE_CHECKER)
181        TYPE_CHECKER["cichoice"] = check_cichoice
182       
183    parser = optparse.OptionParser(option_class=MyOption, 
184                                   usage="python analyzer.py [options] file1 [file2 ...]")
185    parser.add_option("-v", "--version", 
186                            action="store_true", 
187                            dest="version",
188                            help="Show pkpgcounter's version number and exit.")
189    parser.add_option("-d", "--debug", 
190                            action="store_true", 
191                            dest="debug",
192                            help="Activate debug mode.")
193    parser.add_option("-c", "--colorspace", 
194                            dest="colorspace",
195                            type="cichoice",
196                            cichoices=["bw", "rgb", "cmyk", "cmy", "gc"],
197                            help="Activate the computation of ink usage, and defines the colorspace to use. Supported values are 'BW', 'RGB', 'CMYK', 'CMY', and 'GC'.")
198    parser.add_option("-r", "--resolution", 
199                            type="int", 
200                            default=72, 
201                            dest="resolution",
202                            help="The resolution in DPI to use when checking ink usage. Lower resolution is faster but less accurate. Default is 72 dpi.")
203    (options, arguments) = parser.parse_args()
204    if options.version :
205        print "%s" % version.__version__
206    elif not (72 <= options.resolution <= 1200) :   
207        sys.stderr.write("ERROR: the argument to the --resolution command line option must be between 72 and 1200.\n")
208        sys.stderr.flush()
209    else :
210        if (not arguments) or ((not sys.stdin.isatty()) and ("-" not in arguments)) :
211            arguments.append("-")
212        totalsize = 0   
213        lines = []
214        try :
215            for arg in arguments :
216                try :
217                    parser = PDLAnalyzer(arg, options)
218                    if not options.colorspace :
219                        totalsize += parser.getJobSize()
220                    else :
221                        (cspace, pages) = parser.getInkCoverage()
222                        for page in pages :
223                            lineparts = []
224                            for k in cspace : # NB : this way we preserve the order of the planes
225                                try :
226                                    lineparts.append("%s : %s%%" % (k, ("%f" % page[k]).rjust(10)))
227                                except KeyError :
228                                    pass
229                            lines.append("      ".join(lineparts))     
230                except (IOError, pdlparser.PDLParserError), msg :   
231                    sys.stderr.write("ERROR: %s\n" % msg)
232                    sys.stderr.flush()
233        except KeyboardInterrupt :           
234            sys.stderr.write("WARN: Aborted at user's request.\n")
235            sys.stderr.flush()
236        if not options.colorspace :   
237            print "%i" % totalsize
238        else :   
239            print "\n".join(lines)
240   
241if __name__ == "__main__" :   
242    main()
Note: See TracBrowser for help on using the browser.