1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364
|
#!/usr/bin/env python
#
# deepzoom_tile - Convert whole-slide images to Deep Zoom format
#
# Copyright (c) 2010-2015 Carnegie Mellon University
# Copyright (c) 2022 Benjamin Gilbert
#
# This library is free software; you can redistribute it and/or modify it
# under the terms of version 2.1 of the GNU Lesser General Public License
# as published by the Free Software Foundation.
#
# This library is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
# or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public
# License for more details.
#
# You should have received a copy of the GNU Lesser General Public License
# along with this library; if not, write to the Free Software Foundation,
# Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
#
"""An example program to generate a Deep Zoom directory tree from a slide."""
import json
from multiprocessing import JoinableQueue, Process
from optparse import OptionParser
import os
import re
import shutil
import sys
from unicodedata import normalize
if os.name == 'nt':
_dll_path = os.getenv('OPENSLIDE_PATH')
if _dll_path is not None:
if hasattr(os, 'add_dll_directory'):
# Python >= 3.8
with os.add_dll_directory(_dll_path):
import openslide
else:
# Python < 3.8
_orig_path = os.environ.get('PATH', '')
os.environ['PATH'] = _orig_path + ';' + _dll_path
import openslide
os.environ['PATH'] = _orig_path
else:
import openslide
from openslide import ImageSlide, open_slide
from openslide.deepzoom import DeepZoomGenerator
VIEWER_SLIDE_NAME = 'slide'
class TileWorker(Process):
"""A child process that generates and writes tiles."""
def __init__(self, queue, slidepath, tile_size, overlap, limit_bounds, quality):
Process.__init__(self, name='TileWorker')
self.daemon = True
self._queue = queue
self._slidepath = slidepath
self._tile_size = tile_size
self._overlap = overlap
self._limit_bounds = limit_bounds
self._quality = quality
self._slide = None
def run(self):
self._slide = open_slide(self._slidepath)
last_associated = None
dz = self._get_dz()
while True:
data = self._queue.get()
if data is None:
self._queue.task_done()
break
associated, level, address, outfile = data
if last_associated != associated:
dz = self._get_dz(associated)
last_associated = associated
tile = dz.get_tile(level, address)
tile.save(outfile, quality=self._quality)
self._queue.task_done()
def _get_dz(self, associated=None):
if associated is not None:
image = ImageSlide(self._slide.associated_images[associated])
else:
image = self._slide
return DeepZoomGenerator(
image, self._tile_size, self._overlap, limit_bounds=self._limit_bounds
)
class DeepZoomImageTiler:
"""Handles generation of tiles and metadata for a single image."""
def __init__(self, dz, basename, format, associated, queue):
self._dz = dz
self._basename = basename
self._format = format
self._associated = associated
self._queue = queue
self._processed = 0
def run(self):
self._write_tiles()
self._write_dzi()
def _write_tiles(self):
for level in range(self._dz.level_count):
tiledir = os.path.join("%s_files" % self._basename, str(level))
if not os.path.exists(tiledir):
os.makedirs(tiledir)
cols, rows = self._dz.level_tiles[level]
for row in range(rows):
for col in range(cols):
tilename = os.path.join(
tiledir, '%d_%d.%s' % (col, row, self._format)
)
if not os.path.exists(tilename):
self._queue.put((self._associated, level, (col, row), tilename))
self._tile_done()
def _tile_done(self):
self._processed += 1
count, total = self._processed, self._dz.tile_count
if count % 100 == 0 or count == total:
print(
"Tiling %s: wrote %d/%d tiles"
% (self._associated or 'slide', count, total),
end='\r',
file=sys.stderr,
)
if count == total:
print(file=sys.stderr)
def _write_dzi(self):
with open('%s.dzi' % self._basename, 'w') as fh:
fh.write(self.get_dzi())
def get_dzi(self):
return self._dz.get_dzi(self._format)
class DeepZoomStaticTiler:
"""Handles generation of tiles and metadata for all images in a slide."""
def __init__(
self,
slidepath,
basename,
format,
tile_size,
overlap,
limit_bounds,
quality,
workers,
with_viewer,
):
if with_viewer:
# Check extra dependency before doing a bunch of work
import jinja2 # noqa: F401 module-imported-but-unused
self._slide = open_slide(slidepath)
self._basename = basename
self._format = format
self._tile_size = tile_size
self._overlap = overlap
self._limit_bounds = limit_bounds
self._queue = JoinableQueue(2 * workers)
self._workers = workers
self._with_viewer = with_viewer
self._dzi_data = {}
for _i in range(workers):
TileWorker(
self._queue, slidepath, tile_size, overlap, limit_bounds, quality
).start()
def run(self):
self._run_image()
if self._with_viewer:
for name in self._slide.associated_images:
self._run_image(name)
self._write_html()
self._write_static()
self._shutdown()
def _run_image(self, associated=None):
"""Run a single image from self._slide."""
if associated is None:
image = self._slide
if self._with_viewer:
basename = os.path.join(self._basename, VIEWER_SLIDE_NAME)
else:
basename = self._basename
else:
image = ImageSlide(self._slide.associated_images[associated])
basename = os.path.join(self._basename, self._slugify(associated))
dz = DeepZoomGenerator(
image, self._tile_size, self._overlap, limit_bounds=self._limit_bounds
)
tiler = DeepZoomImageTiler(dz, basename, self._format, associated, self._queue)
tiler.run()
self._dzi_data[self._url_for(associated)] = tiler.get_dzi()
def _url_for(self, associated):
if associated is None:
base = VIEWER_SLIDE_NAME
else:
base = self._slugify(associated)
return '%s.dzi' % base
def _write_html(self):
import jinja2
# https://docs.python.org/3/reference/import.html#main-spec
if __spec__ is not None:
# We're running from a module (e.g. "python -m deepzoom_tile")
# so load templates from the containing package.
loader = jinja2.PackageLoader('__main__')
else:
# We're not running from a module (e.g. "python deepzoom_tile.py")
# so PackageLoader('__main__') doesn't work in jinja2 3.x.
# Load templates directly from the filesystem.
loader = jinja2.FileSystemLoader(
os.path.join(os.path.dirname(__file__), 'templates')
)
env = jinja2.Environment(loader=loader, autoescape=True)
template = env.get_template('slide-multipane.html')
associated_urls = {n: self._url_for(n) for n in self._slide.associated_images}
try:
mpp_x = self._slide.properties[openslide.PROPERTY_NAME_MPP_X]
mpp_y = self._slide.properties[openslide.PROPERTY_NAME_MPP_Y]
mpp = (float(mpp_x) + float(mpp_y)) / 2
except (KeyError, ValueError):
mpp = 0
# Embed the dzi metadata in the HTML to work around Chrome's
# refusal to allow XmlHttpRequest from file:///, even when
# the originating page is also a file:///
data = template.render(
slide_url=self._url_for(None),
slide_mpp=mpp,
associated=associated_urls,
properties=self._slide.properties,
dzi_data=json.dumps(self._dzi_data),
)
with open(os.path.join(self._basename, 'index.html'), 'w') as fh:
fh.write(data)
def _write_static(self):
basesrc = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'static')
basedst = os.path.join(self._basename, 'static')
self._copydir(basesrc, basedst)
self._copydir(os.path.join(basesrc, 'images'), os.path.join(basedst, 'images'))
def _copydir(self, src, dest):
if not os.path.exists(dest):
os.makedirs(dest)
for name in os.listdir(src):
srcpath = os.path.join(src, name)
if os.path.isfile(srcpath):
shutil.copy(srcpath, os.path.join(dest, name))
@classmethod
def _slugify(cls, text):
text = normalize('NFKD', text.lower()).encode('ascii', 'ignore').decode()
return re.sub('[^a-z0-9]+', '_', text)
def _shutdown(self):
for _i in range(self._workers):
self._queue.put(None)
self._queue.join()
if __name__ == '__main__':
parser = OptionParser(usage='Usage: %prog [options] <slide>')
parser.add_option(
'-B',
'--ignore-bounds',
dest='limit_bounds',
default=True,
action='store_false',
help='display entire scan area',
)
parser.add_option(
'-e',
'--overlap',
metavar='PIXELS',
dest='overlap',
type='int',
default=1,
help='overlap of adjacent tiles [1]',
)
parser.add_option(
'-f',
'--format',
metavar='{jpeg|png}',
dest='format',
default='jpeg',
help='image format for tiles [jpeg]',
)
parser.add_option(
'-j',
'--jobs',
metavar='COUNT',
dest='workers',
type='int',
default=4,
help='number of worker processes to start [4]',
)
parser.add_option(
'-o',
'--output',
metavar='NAME',
dest='basename',
help='base name of output file',
)
parser.add_option(
'-Q',
'--quality',
metavar='QUALITY',
dest='quality',
type='int',
default=90,
help='JPEG compression quality [90]',
)
parser.add_option(
'-r',
'--viewer',
dest='with_viewer',
action='store_true',
help='generate directory tree with HTML viewer',
)
parser.add_option(
'-s',
'--size',
metavar='PIXELS',
dest='tile_size',
type='int',
default=254,
help='tile size [254]',
)
(opts, args) = parser.parse_args()
try:
slidepath = args[0]
except IndexError:
parser.error('Missing slide argument')
if opts.basename is None:
opts.basename = os.path.splitext(os.path.basename(slidepath))[0]
DeepZoomStaticTiler(
slidepath,
opts.basename,
opts.format,
opts.tile_size,
opts.overlap,
opts.limit_bounds,
opts.quality,
opts.workers,
opts.with_viewer,
).run()
|