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 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414
|
# Copyright (c) DataLab Platform Developers, BSD 3-Clause license, see LICENSE file.
"""
Sigima I/O image functions
"""
# pylint: disable=invalid-name # Allows short reference names like x, y, ...
from __future__ import annotations
import os
import re
import sys
import time
import numpy as np
from guidata.utils.misc import to_string
# MARK: SIF I/O functions
# ==============================================================================
# Original code:
# --------------
# Zhenpeng Zhou <zhenp3ngzhou cir{a} gmail dot com>
# Copyright 2017 Zhenpeng Zhou
# Licensed under MIT License Terms
#
# Changes:
# -------
# * Calculating header length using the line beginning with "Counts"
# * Calculating wavelenght info line number using line starting with "65538 "
# * Handling wavelenght info line ending with "NM"
# * Calculating data offset by detecting the first line containing NUL character after
# header
#
class SIFFile:
"""
A class that reads the contents and metadata of an Andor .sif file.
Compatible with images as well as spectra.
Exports data as numpy array or xarray.DataArray.
Example: SIFFile('my_spectrum.sif').read_all()
In addition to the raw data, SIFFile objects provide a number of meta
data variables:
:ivar x_axis: the horizontal axis (can be pixel numbers or wvlgth in nm)
:ivar original_filename: the original file name of the .sif file
:ivar date: the date the file was recorded
:ivar model: camera model
:ivar temperature: sensor temperature in degrees Celsius
:ivar exposuretime: exposure time in seconds
:ivar cycletime: cycle time in seconds
:ivar accumulations: number of accumulations
:ivar readout: pixel readout rate in MHz
:ivar xres: horizontal resolution
:ivar yres: vertical resolution
:ivar width: image width
:ivar height: image height
:ivar xbin: horizontal binning
:ivar ybin: vertical binning
:ivar gain: EM gain level
:ivar vertical_shift_speed: vertical shift speed
:ivar pre_amp_gain: pre-amplifier gain
:ivar stacksize: number of frames
:ivar filesize: size of the file in bytes
:ivar m_offset: offset in the .sif file to the actual data
"""
# pylint: disable=too-many-instance-attributes
# pylint: disable=too-many-statements
def __init__(self, filepath: str) -> None:
self.filepath = filepath
self.original_filename = None
self.filesize = None
self.left = None
self.right = None
self.top = None
self.bottom = None
self.width = None
self.height = None
self.grating = None
self.stacksize = None
self.datasize = None
self.xres = None
self.yres = None
self.xbin = None
self.ybin = None
self.cycletime = None
self.pre_amp_gain = None
self.temperature = None
self.center_wavelength = None
self.readout = None
self.gain = None
self.date = None
self.exposuretime = None
self.m_offset = None
self.accumulations = None
self.vertical_shift_speed = None
self.model = None
self.grating_blaze = None
self._read_header(filepath)
def __repr__(self) -> str:
"""Return a string representation of the SIFFile object"""
info = (
("Original Filename", self.original_filename),
("Date", self.date),
("Camera Model", self.model),
("Temperature (deg.C)", f"{self.temperature:f}"),
("Exposure Time", f"{self.exposuretime:f}"),
("Cycle Time", f"{self.cycletime:f}"),
("Number of accumulations", f"{self.accumulations:d}"),
("Pixel Readout Rate (MHz)", f"{self.readout:f}"),
("Horizontal Camera Resolution", f"{self.xres:d}"),
("Vertical Camera Resolution", f"{self.yres:d}"),
("Image width", f"{self.width:d}"),
("Image Height", f"{self.height:d}"),
("Horizontal Binning", f"{self.xbin:d}"),
("Vertical Binning", f"{self.ybin:d}"),
("EM Gain level", f"{self.gain:f}"),
("Vertical Shift Speed", f"{self.vertical_shift_speed:f}"),
("Pre-Amplifier Gain", f"{self.pre_amp_gain:f}"),
("Stacksize", f"{self.stacksize:d}"),
("Filesize", f"{self.filesize:d}"),
("Offset to Image Data", f"{self.m_offset:f}"),
)
desc_len = max(len(d) for d in list(zip(*info))[0]) + 3
res = ""
for description, value in info:
res += ("{:" + str(desc_len) + "}{}\n").format(description + ": ", value)
res = object.__repr__(self) + "\n" + res
return res
def _read_header(self, filepath: str) -> None:
"""Read SIF file header
Args:
filepath: path to SIF file
"""
with open(filepath, "rb") as sif_file:
i_wavelength_info = None
headerlen = None
i = 0
self.m_offset = 0
while True:
raw_line = sif_file.readline()
line = raw_line.strip()
if i == 0:
if line != b"Andor Technology Multi-Channel File":
sif_file.close()
raise ValueError(f"{filepath} is not an Andor SIF file")
elif i == 2:
tokens = line.split()
self.temperature = float(tokens[5])
self.date = time.strftime("%c", time.localtime(float(tokens[4])))
self.exposuretime = float(tokens[12])
self.cycletime = float(tokens[13])
self.accumulations = int(tokens[15])
self.readout = 1 / float(tokens[18]) / 1e6
self.gain = float(tokens[21])
self.vertical_shift_speed = float(tokens[41])
self.pre_amp_gain = float(tokens[43])
elif i == 3:
self.model = to_string(line)
elif i == 5:
self.original_filename = to_string(line)
if i_wavelength_info is None and i > 7:
if line.startswith(b"65538 ") and len(line) == 17:
i_wavelength_info = i + 1
if i_wavelength_info is not None and i == i_wavelength_info:
wavelength_info = line.split()
self.center_wavelength = float(wavelength_info[3])
self.grating = float(wavelength_info[6])
blaze = wavelength_info[7]
if blaze.endswith(b"NM"):
blaze = blaze[:-2]
self.grating_blaze = float(blaze)
if headerlen is None:
if line.startswith(b"Counts"):
headerlen = i + 3
else:
if i == headerlen - 2:
if line[:12] == b"Pixel number":
line = line[12:]
tokens = line.split()
if len(tokens) < 6:
raise ValueError("Not able to read stacksize.")
self.yres = int(tokens[2])
self.xres = int(tokens[3])
self.stacksize = int(tokens[5])
elif i == headerlen - 1:
tokens = line.split()
if len(tokens) < 7:
raise ValueError("Not able to read Image dimensions.")
self.left = int(tokens[1])
self.top = int(tokens[2])
self.right = int(tokens[3])
self.bottom = int(tokens[4])
self.xbin = int(tokens[5])
self.ybin = int(tokens[6])
elif i >= headerlen:
if b"\x00" in line:
break
i += 1
self.m_offset += len(raw_line)
width = self.right - self.left + 1
mod = width % self.xbin
self.width = int((width - mod) / self.ybin)
height = self.top - self.bottom + 1
mod = height % self.ybin
self.height = int((height - mod) / self.xbin)
self.filesize = os.path.getsize(filepath)
self.datasize = self.width * self.height * 4 * self.stacksize
def read(self) -> np.ndarray:
"""Read the data from the SIF file
Returns:
The image data. The shape of the array is (stacksize, height, width)
"""
with open(self.filepath, "rb") as sif_file:
sif_file.seek(self.m_offset)
block = sif_file.read(self.width * self.height * self.stacksize * 4)
data = np.frombuffer(block, dtype=np.float32)
# If there is a background image, it will be stored just after the signal
# data. The background image is the same size as the signal data.
# To read the background image, we need to search for the next line starting
# with "Counts" and read the data from there.
while True:
line = sif_file.readline()
if not line:
break
if line.startswith(b"Counts"):
# Data starts 4 lines after the "Counts" line
for _ in range(4):
line = sif_file.readline()
# Read the background image data
background_data = sif_file.read(self.width * self.height * 4)
background = np.frombuffer(background_data, dtype=np.float32)
# Check if the background data is the same size as the signal data
if background.size != data.size:
# This is not a background image: not supported format
break
# Add the background data to the signal data, as an additional frame
data = np.concatenate((data, background))
# Update the stack size to include the background image
self.stacksize += 1
break
return data.reshape(self.stacksize, self.height, self.width)
def imread_sif(filename: str) -> np.ndarray:
"""Open a SIF image
Args:
filename: path to SIF file
Returns:
Image data
"""
sif_file = SIFFile(filename)
return sif_file.read()
# MARK: SPIRICON I/O functions
# ==============================================================================
class SCORFile:
"""Object representing a SPIRICON .scor-data file
Args:
filepath: path to .scor-data file
"""
def __init__(self, filepath: str) -> None:
self.filepath = filepath
self.metadata = None
self.width = None
self.height = None
self.m_offset = None
self.filesize = None
self.datasize = None
self._read_header()
def __repr__(self) -> str:
"""Return a string representation of the object"""
info = (
("Image width", f"{self.width:d}"),
("Image Height", f"{self.height:d}"),
("Filesize", f"{self.filesize:d}"),
("Datasize", f"{self.datasize:d}"),
("Offset to Image Data", f"{self.m_offset:f}"),
)
desc_len = max(len(d) for d in list(zip(*info))[0]) + 3
res = ""
for description, value in info:
res += ("{:" + str(desc_len) + "}{}\n").format(description + ": ", value)
res = object.__repr__(self) + "\n" + res
return res
def _read_header(self) -> None:
"""Read file header"""
with open(self.filepath, "rb") as data_file:
metadata = {}
key1 = None
while True:
bline = data_file.readline().strip()
key1_match = re.match(b"\\[(\\S*)\\]", bline)
if key1_match is not None:
key1 = key1_match.groups()[0].decode()
metadata[key1] = {}
elif b"=" in bline:
key2, value = bline.decode().split("=")
metadata[key1][key2] = value
else:
break
capture_size = metadata["Capture"]["CaptureSize"]
self.width, self.height = [int(val) for val in capture_size.split(",")]
self.filesize = os.path.getsize(self.filepath)
self.datasize = self.width * self.height * 2
self.m_offset = self.filesize - self.datasize - 8
def read(self) -> np.ndarray:
"""Read the data from the SPIRICON file
Returns:
The image data as a NumPy array with shape (height, width)
"""
with open(self.filepath, "rb") as data_file:
data_file.seek(self.m_offset)
block = data_file.read(self.datasize)
data = np.frombuffer(block, dtype=np.int16)
return data.reshape(self.height, self.width)
def imread_scor(filename: str) -> np.ndarray:
"""Open a SPIRICON image
Args:
filename: path to SPIRICON file
Returns:
Image data
"""
scor_file = SCORFile(filename)
return scor_file.read()
# MARK: DICOM I/O functions
# ==============================================================================
# Original code: see PlotPy package (BSD 3-Clause license)
def imread_dicom(filename: str) -> np.ndarray:
"""Open DICOM image with pydicom and return a NumPy array
Args:
filename: path to DICOM file
Returns:
Image data as a NumPy array
"""
# pylint: disable=import-outside-toplevel
# pylint: disable=import-error
from pydicom import dcmread # type:ignore
dcm = dcmread(filename, force=True)
# **********************************************************************
# The following is necessary until pydicom numpy support is improved:
# (after that, a simple: 'arr = dcm.PixelArray' will work the same)
format_str = f"{'u' if dcm.PixelRepresentation == 0 else ''}int{dcm.BitsAllocated}"
try:
dtype = np.dtype(format_str)
except TypeError as exc:
raise TypeError(
f"Data type not understood by NumPy: "
f"PixelRepresentation={dcm.PixelRepresentation}, "
f"BitsAllocated={dcm.BitsAllocated}"
) from exc
arr = np.frombuffer(dcm.PixelData, dtype)
try:
# pydicom 0.9.3:
dcm_is_little_endian = dcm.isLittleEndian
except AttributeError:
# pydicom 0.9.4:
dcm_is_little_endian = dcm.is_little_endian
if dcm_is_little_endian != (sys.byteorder == "little"):
arr.byteswap(True)
spp = getattr(dcm, "SamplesperPixel", 1)
if hasattr(dcm, "NumberOfFrames") and dcm.NumberOfFrames > 1:
if spp > 1:
arr = arr.reshape(spp, dcm.NumberofFrames, dcm.Rows, dcm.Columns)
else:
arr = arr.reshape(dcm.NumberOfFrames, dcm.Rows, dcm.Columns)
else:
if spp > 1:
if dcm.BitsAllocated == 8:
arr = arr.reshape(spp, dcm.Rows, dcm.Columns)
else:
raise NotImplementedError(
"This code only handles SamplesPerPixel > 1 if Bits Allocated = 8"
)
else:
arr = arr.reshape(dcm.Rows, dcm.Columns)
# **********************************************************************
return arr
|