\n"
]
},
"metadata": {},
"output_type": "display_data"
}
],
"source": [
"import numpy as np\n",
"\n",
"import skimage.io\n",
"import skimage.segmentation\n",
"import skimage.morphology\n",
"\n",
"import holoviews as hv\n",
"hv.extension('bokeh')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Many of our image processing functions will come from `scikit-image`. The function below calls on functions from these packages directly. This is a wonderful example of the power of modular programming—each operation performs a single task!"
]
},
{
"cell_type": "code",
"execution_count": 2,
"metadata": {},
"outputs": [],
"source": [
"def cell_segmenter(\n",
" im,\n",
" thresh=\"otsu\",\n",
" radius=20.0,\n",
" image_mode=\"phase\",\n",
" area_bounds=(0, 1e7),\n",
" ecc_bounds=(0, 1),\n",
"):\n",
" \"\"\"\n",
" This function segments a given image via thresholding and returns\n",
" a labeled segmentation mask.\n",
" \n",
" Parameters\n",
" ----------\n",
" im : 2d-array\n",
" Image to be segmented. This may be of either float or integer\n",
" data type.\n",
" thresh : int, float, or 'otsu'\n",
" Value used during thresholding operation. This can either be a value \n",
" (`int` or `float`) or 'otsu'. If 'otsu', the threshold value will be \n",
" determined automatically using Otsu's thresholding method.\n",
" radius : float\n",
" Radius for gaussian blur for background subtraction. Default value\n",
" is 20.\n",
" image_mode : 'phase' or 'fluorescence'\n",
" Mode of microscopy used to capture the image. If 'phase', objects with \n",
" intensity values *lower* than the provided threshold will be selected. \n",
" If `fluorescence`, values *greater* than the provided threshold will be \n",
" selected. Default value is 'phase'.\n",
" area_bounds : tuple of ints.\n",
" Range of areas of acceptable objects. This should be provided in units \n",
" of square pixels.\n",
" ecc_bounds : tuple of floats\n",
" Range of eccentricity values of acceptable objects. These values should\n",
" range between 0.0 and 1.0.\n",
" \n",
" Returns\n",
" -------\n",
" im_labeled : 2d-array, int\n",
" Labeled segmentation mask.\n",
" \"\"\"\n",
" # Apply a median filter to remove hot pixels.\n",
" med_selem = skimage.morphology.square(3)\n",
" im_filt = skimage.filters.median(im, footprint=med_selem)\n",
"\n",
" # Perform gaussian subtraction\n",
" im_sub = bg_subtract(im_filt, radius)\n",
"\n",
" # Determine the thresholding method.\n",
" if thresh == \"otsu\":\n",
" thresh = skimage.filters.threshold_otsu(im_sub)\n",
"\n",
" # Determine the image mode and apply threshold.\n",
" if image_mode == \"phase\":\n",
" im_thresh = im_sub < thresh\n",
" elif image_mode == \"fluorescence\":\n",
" im_thresh = im_sub > thresh\n",
" else:\n",
" raise ValueError(\n",
" \"image mode not recognized. Must be 'phase'\" + \" or 'fluorescence'\"\n",
" )\n",
"\n",
" # Label the objects.\n",
" im_label = skimage.measure.label(im_thresh)\n",
"\n",
" # Apply the area and eccentricity bounds.\n",
" im_filt = area_ecc_filter(im_label, area_bounds, ecc_bounds)\n",
"\n",
" # Remove objects touching the border.\n",
" im_border = skimage.segmentation.clear_border(im_filt, buffer_size=5)\n",
"\n",
" # Relabel the image.\n",
" im_border = im_border > 0\n",
"\n",
" return skimage.measure.label(im_border)\n",
"\n",
"\n",
"def bg_subtract(im, radius):\n",
" \"\"\"\n",
" Subtracts a gaussian blurred image from itself smoothing uneven \n",
" illumination.\n",
" \n",
" Parameters\n",
" ----------\n",
" im : 2d-array\n",
" Image to be subtracted\n",
" radius : int or float\n",
" Radius of gaussian blur\n",
" \n",
" Returns\n",
" -------\n",
" im_sub : 2d-array, float\n",
" Background subtracted image.\n",
" \"\"\"\n",
" # Apply the gaussian filter.\n",
" im_filt = skimage.filters.gaussian(im, radius)\n",
"\n",
" # Ensure the original image is a float\n",
" if np.max(im) > 1.0:\n",
" im = skimage.img_as_float(im)\n",
"\n",
" return im - im_filt\n",
"\n",
"\n",
"def area_ecc_filter(im, area_bounds, ecc_bounds):\n",
" \"\"\"\n",
" Filters objects in an image based on their areas.\n",
" \n",
" Parameters\n",
" ----------\n",
" im : 2d-array, int\n",
" Labeled segmentation mask to be filtered. \n",
" area_bounds : tuple of ints\n",
" Range of areas in which acceptable objects exist. This should be \n",
" provided in units of square pixels.\n",
" ecc_bounds : tuple of floats \n",
" Range of eccentricities in which acceptable objects exist. This should be \n",
" provided on the range of 0 to 1.0.\n",
" \n",
" Returns\n",
" -------\n",
" im_relab : 2d-array, int\n",
" The relabeled, filtered image.\n",
" \"\"\"\n",
"\n",
" # Extract the region props of the objects.\n",
" props = skimage.measure.regionprops(im)\n",
"\n",
" # Extract the areas and labels.\n",
" areas = np.array([prop.area for prop in props])\n",
" eccs = np.array([prop.eccentricity for prop in props])\n",
" labels = np.array([prop.label for prop in props])\n",
"\n",
" # Make an empty image to add the approved cells.\n",
" im_approved = np.zeros_like(im)\n",
"\n",
" # Threshold the objects based on area and eccentricity\n",
" for i, _ in enumerate(areas):\n",
" if (\n",
" areas[i] > area_bounds[0]\n",
" and areas[i] < area_bounds[1]\n",
" and eccs[i] > ecc_bounds[0]\n",
" and eccs[i] < ecc_bounds[1]\n",
" ):\n",
" im_approved += im == labels[i]\n",
"\n",
" # Relabel the image.\n",
" return skimage.measure.label(im_approved > 0)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"In the previous code block, we defined a few functions. I could have thrown all components into a single function, but keeping modularity is important. The filtering functions will make application of area and eccentricity bounds easier especially if I want to use them again in the future. The important function here is `cell_segmenter()` which actually calls the two filtering functions we wrote above! Let's try them out on some test images. "
]
},
{
"cell_type": "code",
"execution_count": 3,
"metadata": {},
"outputs": [],
"source": [
"# Load a B. subtilis and E. coli test image.\n",
"ecoli = skimage.io.imread(\"data/HG105_images/noLac_phase_0004.tif\")\n",
"bsub_phase = skimage.io.imread(\"data/bsub_100x_phase.tif\")\n",
"bsub_fluo = skimage.io.imread(\"data/bsub_100x_cfp.tif\")\n",
"\n",
"# Using my knowledge of biology, we can draw some bounds.\n",
"ip_dist = 0.0626 # in units of µm per pixel.\n",
"area_bounds = (1 / ip_dist ** 2, 10.0 / ip_dist ** 2)\n",
"ecc_bounds = (0.8, 1.0) # they are certainly not spheres.\n",
"\n",
"# Pass all images through our function.\n",
"ecoli_seg = cell_segmenter(\n",
" ecoli, area_bounds=area_bounds, ecc_bounds=ecc_bounds\n",
")\n",
"bsub_phase_seg = cell_segmenter(\n",
" bsub_phase,\n",
" image_mode=\"phase\",\n",
" area_bounds=area_bounds,\n",
" ecc_bounds=ecc_bounds,\n",
")\n",
"bsub_fluo_seg = cell_segmenter(\n",
" bsub_fluo,\n",
" image_mode=\"fluorescence\",\n",
" area_bounds=area_bounds,\n",
" ecc_bounds=ecc_bounds,\n",
")"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We can make merged images to see how well we segmented all of the objects. Since this would be hard to see on the *Bacillus* fluorescence image directly, we'll take a look at the fluorescence segmentation on the corresponding phase image."
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {},
"outputs": [
{
"data": {},
"metadata": {},
"output_type": "display_data"
},
{
"data": {
"application/vnd.holoviews_exec.v0+json": "",
"text/html": [
"