Spring 2020 Assignment 9

From Course Wiki
Revision as of 20:54, 22 April 2020 by Juliesutton (Talk | contribs)

(diff) ← Older revision | Latest revision (diff) | Newer revision → (diff)
Jump to: navigation, search
20.309: Biological Instrumentation and Measurement

ImageBar 774.jpg


Written questions


Pencil.png

Read the paper and answer the written questions in Assignment 9 Overview: Analyzing yeast images.


Yeast image analysis code

Download the data provided in the class dropbox folder. This data was collected by 20.309 students last semester. The movies were collected using the same 20.309 microscope that you built in class with an upgrade (that you would have done in Assignment 8 had we been on campus...) to incorporate a second fluorescence color. During an experiment, the microscope first recorded an image with blue illumination (exciting GFP) followed by one with green illumination (exciting RFP). It had a 40x objective and a 125 mm tube lens - remember that results in a 25x magnification.

The sample is similar to the one in Mettetal et al.: we are using S. cerevisiae with the protein Hog1 fused to GFP (which is excited by blue light) and an mRNA binding protein (we'll call MCP) fused to tagRFP (which is excited by green light) to locate the nucleus. A solenoid valve controls whether or not the medium provided to the yeast cells contains a high salt concentration, and in the experiment we oscillate between a high and low salt medium at a fixed rate. We expect to see the yeast cells 'respond' to an osmotic shock as a more localized Hog1-GFP signal that overlaps with the signal from the nucleus (RFP). Our goal is to calculate the average correlation coefficient between Hog1 and the nucleus as a function of the high/low valve state.

Load some data into MATLAB:

load('fall2019_StudentData_1');

The data is stored in a struct called yeastOsmoticShockData.

  
yeastOsmoticShockData = 

  struct with fields:

                         Movie: [544×728×2×16 uint16]
                          Time: [16×2 double]
                    ValveState: [16×2 logical]
        ValveOscillationPeriod: 960
     BlueCameraGainAndExposure: [6 5000000]
    GreenCameraGainAndExposure: [15 5000000]

The data structure contains all the important information from the experiment:

  • yeastOsmoticShockData.Movie is a two-color movie, where the 3d dimension is the color (1 = Blue excitation = GFP, 2 = Green excitation = RFP), and the fourth is the frame number. Notice that yeastOsmoticShockData.Movie is a uint16 data type which is the same as the movies you worked with in the particle tracking assignments.
  • yeastOsmoticShockData.Time is the time stamp of each frame, recorded in seconds from the start of the experiment. Column 1 contains the timestamps of the GFP images, column 2 is for the RFP images.
  • yeastOsmoticShockData.ValveOscillationPeriod is the oscillation valve period, in seconds.
  • yeastOsmoticShockData.BlueCameraGainAndExposure and yeastOsmoticShockData.GreenCameraGainAndExposure are the blue and green illumination camera settings in the format [gain, exposure], where exposure is in microseconds.
  • yeastOsmoticShockData.ValveState is the state of the solenoid pinch valve controlling the salt concentration at the time of each image. The valve state is 0 for low salt, and 1 for high salt. If you need to know the valve state more precisely, it can be calculated with the following conditional statement: $ sin(2 \pi t/T) \ge 0 $, where T is the valve oscillation period, and t is the time since the start of the experiment (this is how the state is determined in the software).


Pencil.png

Choose a single frame of the movie. Make a four panel figure and display: the GFP image, the RFP image (both with a scale bar), and their corresponding image histograms. Include an appropriate title for each panel.


Analyze a frame

In each frame of our movie, we need to locate and identify individual cells, and find the correlation coefficient between the cell image and the nuclei image. If the Hog1 signal is localized in the nucleus, the correlation should be close to 1, while if there is no correlation between the signals, the correlation will be close to zero. In reality, we'll likely see correlations close to about 0.5, but we'll look for an increase or decrease in the signal to determine the amount of Hog1 localization.

FindingCellsAndNucleiExample.png

Start with the following basic layout of the function:

function [AverageNucleusHog1Correlation, StandardErrorNucleusHog1Correlation] = AnalyzeFrame( TwoColorFrame, BackgroundImage, BackgroundRectangle )

     % 1. estimate the background level
backgroundScaleFactors = FindBackgroundScaleFactor(TwoColorFrame,BackgroundImage, BackgroundRectangle);

cellFrame = TwoColorFrame(:,:,1) - backgroundScaleFactors(1)*BackgroundImage(:,:,1);
nucleiFrame = TwoColorFrame(:,:,2) - backgroundScaleFactors(2)*BackgroundImage(:,:,2);

     % 2. identify individual yeast cells in the GFP image
     % 3. calculate the correlation coefficient between the GFP intensities an RFP intensities within each cell region
     % 4. output the mean correlation coefficient for all cells in the frame

end

As you work through this part of the Assignment, fill out the AnalyzeFrame function to incorporate each of the outlined steps.

Finding cells

We could consider using a threshold to identify cells in an image, similar to how we found fluorescent particles in Assignments 4 and 5. The problem here, is that thresholding doesn't allow us separate a single cells from a clump of cells. Since we know that yeast cells are roughly spherical, we can use imfindcircles to locate them. imfindcircles is an implemenattion of the Hough transform.

     [cellCenters, cellRadii] = imfindcircles(cellFrame,[Rmin Rmax],'ObjectPolarity','bright','Sensitivity',0.95);

Here, Rmin and Rmax are the smallest and largest expected 'radii'. How can you estimate Rmin and Rmax?

The function viscircles(cellCenters,cellRadii) may be useful to visualize your results.

Loop through each cell and calculate the correlation coefficient between GFP and RFP

Next we want to calculate the response of the Hog1 protein. In the paper, they calculated the response as the ratio of GFP intensities inside and outside the nucleus: $ R_{Hog1} = \frac{<GFP_{nucleus}>}{<GFP_{cell}>} $. We'll use an alternative way to find the response: by finding the correlation coefficient between the GFP and RFP signals within each cell.

Finish filling out AnalyzeFrame to loop through each circle found in the frame and extract the corresponding pixel intensities from your GFP and RFP images. Then, calculate the correlation coefficients between these two intensity vectors (corr in MATLAB). The following helper function may be useful.

function Im = createMaskFromCircles(centers,radii,ImageSize)
    Im = zeros(ImageSize);
    [X, Y] = meshgrid(1:ImageSize(2), 1:1:ImageSize(1));

    for ii = 1:length(radii)
        isBright = (X-centers(ii,1)).^2+(Y-centers(ii,2)).^2 <= radii(ii,1)^2;
        isAlreadyFound = (Im == 1);
        Im = Im + (isBright & ~isAlreadyFound);
    end
    Im( Im > 1 ) = 1;
end

Once you've collected each individual correlation coefficient, find the mean and standard error, and output these from the function.

Analyze the movie

Once you've set up your analysis for a single frame, you'll now want to loop through the movie and collect the responses as a function of time.


Pencil.png
  1. Analyze each frame of the movie and plot the average cellular response as a function of time.
    • In a single figure, plot the data in one subplot, and the pinch valve state (1 for high salt, 0 for low salt) in a second subplot.
  2. Write a function to fit the response to a sinusoid and extract the predicted amplitude and phase shift of the response signal. Plot the best fit function on the same plot as your data.
  3. Report the resulting best fit parameters.




Pencil.png

Turn in all your MATLAB code in pdf format. No need to include functions that you used but did not modify.


Navigation

Back to 20.309 Main Page