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
|
# __init__.py for Dicom package
"""pydicom package -- easily handle DICOM files. See Quick Start below.
Copyright (c) 2008-2012 Darcy Mason
This file is part of pydicom, released under a modified MIT license.
See the file license.txt included with this distribution, also
available at http://pydicom.googlecode.com
-----------
Quick Start
-----------
1. A simple program to read a dicom file, modify a value, and write to a new file::
import dicom
dataset = dicom.read_file("file1.dcm")
dataset.PatientName = 'anonymous'
dataset.save_as("file2.dcm")
2. See the files in the examples directory that came with this package for more
examples, including some interactive sessions.
3. Learn the methods of the Dataset class; that is the one you will
work with most directly.
4. Questions/comments etc can be directed to the pydicom google group at
http://groups.google.com/group/pydicom
"""
import sys
if sys.version_info < (2, 6, 0):
raise ImportError("pydicom > 0.9.7 requires python 2.6 or later")
in_py3 = sys.version_info[0] > 2
# Set up logging system for the whole package.
# In each module, set logger=logging.getLogger('pydicom') and the same instance
# will be used by all
# At command line, turn on debugging for all pydicom functions with:
# import dicom
# dicom.debug()
# Turn off debugging with
# dicom.debug(False)
import logging
def debug(debug_on=True):
"""Turn debugging of DICOM file reading and writing on or off.
When debugging is on, file location and details about the elements read at
that location are logged to the 'pydicom' logger using python's logging module.
:param debug_on: True (default) to turn on debugging, False to turn off.
"""
global logger, debugging
if debug_on:
logger.setLevel(logging.DEBUG)
debugging = True
else:
logger.setLevel(logging.WARNING)
debugging = False
logger = logging.getLogger('pydicom')
handler = logging.StreamHandler()
# formatter = logging.Formatter("%(asctime)s %(levelname)s: %(message)s", "%Y-%m-%d %H:%M") #'%(asctime)s %(levelname)s %(message)s'
formatter = logging.Formatter("%(message)s")
handler.setFormatter(formatter)
logger.addHandler(handler)
debug(False) # force level=WARNING, in case logging default is set differently (issue 102)
# For convenience, import the read_file and write_file functions (most used)
# into the "dicom" namespace.
from dicom.filereader import read_file
from dicom.filewriter import write_file
__version__ = "0.9.8"
__version_info__ = (0, 9, 8)
|