Click here to Skip to main content
15,880,651 members
Articles / Web Development / HTML

ASP.NET Multipage TIFF Viewer with Thumbnails

Rate me:
Please Sign up or sign in to vote.
4.38/5 (16 votes)
9 Mar 2010CPOL3 min read 121.3K   6.1K   37   53
ASP.NET Multipage TIFF Viewer with Thumbnails
ASPNET_TIFFViewer

Introduction

There are many 3rd party TIF Viewers out there, but why pay when this is built into .NET already using System.Drawing.Image (unless you need to be able to support JPEG compressed TIF files, which GDI doesn't support). Save yourself some time and money and start here.

Background

It's time for me to give back to the community out there. I look many places before I start building an app (why reinvent the wheel) and haven't found one that does exactly this. I'm hoping to save someone some time and money. This article gives you a basis and code example on how to create a multipage TIF Viewer using ASP.NET. The web page will display thumbnails on one side and an enlarged image on the other. Clicking each page will use some JavaScript to update the src of the large image.

Using the Code

The concept consists of 3 main things:

  1. An ASP page to call that takes the file path parameter and does the work of configuring thumbnails and big image (Default.aspx in the download)
  2. A TIF class used to pull pages out of the TIF file
  3. An ASP page to display the image (ViewImg.aspx in the download)

Default.aspx

This page has only one required parameter, which is FILE in the query string. FILE is the absolute path to the file. I've also set up a paging mechanism so that large files load quicker and take less system resources to iterate. There's also an optional STARTPAGE that can be passed to the query string, which indicates which page to start at (for paging). This pager size is configurable in the code-behind. The code-behind also sets up the JavaScript to change src attribute of the large image as well as the attributes needed for any TIF rotation or zoom of the big image. The aspx page includes a placeholder that adds an asp:image object to a placeholder for the thumbnails (querystring parameters are passed to that src for thumbnail size). That image has a src of another page (to be explained later). This same concept is applied for the BIG image.

C#
//Determine Start/End Pages
int StartPg = 1;
if (Request.QueryString["StartPage"] != null)
    StartPg = System.Convert.ToInt16(Request.QueryString["StartPage"]);
int BigImgPg = StartPg;
int EndPg = StartPg + (PagerSize - 1);
if (EndPg > TotalTIFPgs)
    EndPg = TotalTIFPgs;
//Add/configure the thumbnails
while (StartPg <= EndPg)
{
    Label lbl = new Label();
    //Add break for new row of thumbnails
    if (StartPg % 4 == 0 && StartPg != 0) lbl.Text = "&nbsp;<br />";
    else lbl.Text = "&nbsp;";
    //Add new image and set source and click and mouseover events
    Image Img = new Image(); 
    Img.BorderStyle = (BorderStyle)Enum.Parse(typeof(BorderStyle), "Solid");
    Img.BorderWidth = Unit.Parse("1");
    Img.Attributes.Add("onClick", "ChangePg(" + StartPg.ToString() + ");");
    Img.Attributes.Add("onmouseover", "this.style.cursor='hand';");
    Img.ImageUrl = "ViewImg.aspx?FilePath=" + FilePath + "&Pg=" + (StartPg).ToString() + 
        "&Height=" + DefaultThumbHieght.ToString() + "&Width=" + DefaultThumbWidth;
    _plcImgsThumbs.Controls.Add(Img);
    _plcImgsThumbs.Controls.Add(lbl);
        StartPg++;
}

//Bind big img
Image BigImg = new Image();
BigImg.BorderStyle = (BorderStyle)Enum.Parse(typeof(BorderStyle), "Solid");
BigImg.BorderWidth = Unit.Parse("1");
BigImg.ID = "_imgBig";
BigImg.ImageUrl = "ViewImg.aspx?View=1&FilePath=" + FilePath + "&Pg=" + 
    BigImgPg.ToString() + "&Height=" + DefaultBigHieght.ToString() + "&Width=" +
    DefaultBigWidth.ToString();
_plcBigImg.Controls.Add(BigImg);

ViewImg.aspx

This page takes a few parameters (all these parameters are supplied and configured by default.aspx.): FILEPATH (passed from default.aspx), HEIGHT (height of the image), WIDTH (width of the image to display), PG (the page to display), and ROTATE (the rotation to apply to the image before displaying it). The page simply uses the TIF class to get an image object and saves it to the outputstream in a JPG format so that it can be viewed in the browser.

C#
protected void Page_Load(object sender, EventArgs e)
{
    System.Drawing.Image TheImg = new App.Files.TIF(
        Request.QueryString["FilePath"]).GetTiffImageThumb(
        System.Convert.ToInt16(Request.QueryString["Pg"]),
        System.Convert.ToInt16(Request.QueryString["Height"]),
        System.Convert.ToInt16(Request.QueryString["Width"]));
    if (TheImg != null)
    {
        switch (Request.QueryString["Rotate"])
        {
            case "90":
                TheImg.RotateFlip(System.Drawing.RotateFlipType.Rotate90FlipNone);
                break;
            case "180":
                TheImg.RotateFlip(System.Drawing.RotateFlipType.Rotate180FlipNone);
                break;
            case "270":
                TheImg.RotateFlip(System.Drawing.RotateFlipType.Rotate270FlipNone);
                break;
        }

        Response.ContentType = "image/jpeg";
        TheImg.Save(Response.OutputStream, System.Drawing.Imaging.ImageFormat.Jpeg);
        TheImg.Dispose();
    }
}

TIF.cs

This class does the work of accessing the TIF file. The main method here, for this project, is GetTIFFImageThumb, where you supply the page number (the Active Frame from the FrameDimension) and the size of the thumbnail returned, while accounting for the aspect ratio of the page. It opens the file and loads the page in question to a memorystream object and returns a system.drawing.image object from that stream that can be used later (like in the ViewImg.aspx page). I've got a few other methods and objects in the download that may be handy for others (and for my larger project). The only word of caution with respect to your file and the system.drawing.image object is to always make sure that you properly dispose of the object when finished; otherwise you risk a file in use error when you try to work with it later.

C#
public Image GetTiffImageThumb(int PageNum, int ImgWidth, int ImgHeight)
{
if ((PageNum < 1) | (PageNum > this.PageCount))
{
     throw new InvalidOperationException("Page to be retrieved is outside the bounds" +
         "of the total TIF file pages. Please choose a page number that exists.");
}
MemoryStream ms = null;
Image SrcImg = null;
Image returnImage = null;
try
{
    SrcImg = Image.FromFile(this.m_FilePathName);
    ms = new MemoryStream();
    FrameDimension FrDim = new FrameDimension(SrcImg.FrameDimensionsList[0]);
    SrcImg.SelectActiveFrame(FrDim, PageNum-1);
    SrcImg.Save(ms, ImageFormat.Tiff);
    // Prevent using images internal thumbnail
    SrcImg.RotateFlip(System.Drawing.RotateFlipType.Rotate180FlipNone);
    SrcImg.RotateFlip(System.Drawing.RotateFlipType.Rotate180FlipNone);
    //Save Aspect Ratio
    if (SrcImg.Width <= ImgWidth) ImgWidth = SrcImg.Width;
    int NewHeight = SrcImg.Height * ImgWidth / SrcImg.Width;
    if (NewHeight > ImgHeight)
    {
        // Resize with height instead
        ImgWidth = SrcImg.Width * ImgHeight / SrcImg.Height;
        NewHeight = ImgHeight;
    }
//Return Image
returnImage = Image.FromStream(ms).GetThumbnailImage(ImgWidth, NewHeight, null,
    IntPtr.Zero);
}
catch (Exception ex)
{
    throw ex;
}
finally
{
    SrcImg.Dispose();
    GC.Collect();
    GC.WaitForPendingFinalizers();
}
return returnImage;
}

History

  • 9th March, 2010: Initial post

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
BugProject Missing Files Pin
Member 121157618-Apr-18 19:52
Member 121157618-Apr-18 19:52 
QuestionGetting "A generic error occurred in GDI+." when try to open 300mb tif files Pin
Aravindba10-Oct-16 22:15
professionalAravindba10-Oct-16 22:15 
AnswerRe: Getting "A generic error occurred in GDI+." when try to open 300mb tif files Pin
ChadFolden121-Dec-16 6:35
ChadFolden121-Dec-16 6:35 
Questioncode in vb.net Pin
mui451619-May-14 20:41
mui451619-May-14 20:41 
GeneralMy vote of 10 Pin
Motlatsij7-Feb-14 1:42
Motlatsij7-Feb-14 1:42 
QuestionGetting error when i upload in http testing link Pin
Member 1051521313-Jan-14 0:28
Member 1051521313-Jan-14 0:28 
AnswerRe: Getting error when i upload in http testing link Pin
g wildin6-Mar-14 9:14
g wildin6-Mar-14 9:14 
GeneralRe: Getting error when i upload in http testing link Pin
g wildin7-Mar-14 3:18
g wildin7-Mar-14 3:18 
AnswerRe: Getting error when i upload in http testing link Pin
GREG_DORIANcod14-Aug-15 7:01
professionalGREG_DORIANcod14-Aug-15 7:01 
GeneralNot able to given exact path Pin
Member 105152139-Jan-14 21:01
Member 105152139-Jan-14 21:01 
GeneralRe: Not able to given exact path Pin
Member 981421815-Aug-18 20:58
Member 981421815-Aug-18 20:58 
QuestionThanks Pin
huejiitech20-Sep-13 14:46
huejiitech20-Sep-13 14:46 
AnswerRe: Thanks Pin
ChadFolden120-Sep-13 16:46
ChadFolden120-Sep-13 16:46 
QuestionPager not working Pin
arifpk3623-Mar-13 5:24
arifpk3623-Mar-13 5:24 
GeneralMy vote of 1 Pin
Arijit_Chowdhury5-Feb-13 20:44
Arijit_Chowdhury5-Feb-13 20:44 
GeneralRe: My vote of 1 Pin
ChadFolden120-Sep-13 16:37
ChadFolden120-Sep-13 16:37 
QuestionGREAT Pin
asul17-Jan-13 14:36
asul17-Jan-13 14:36 
SuggestionEnterprise Tiff Viewing Solutions Pin
DadajiIn30-May-12 17:56
DadajiIn30-May-12 17:56 
Hello Smile | :) , this is a very nice article for developers who want to know more about tiff file, however if you are a company / enterprise then this solution would not work well for larger tiff files, and there are quite a few options. If you need asp.net silverlight or winforms tiff viewer with annotations, print and lot other functions then visit http://www.tiff-viewer.net
GeneralRe: Enterprise Tiff Viewing Solutions Pin
ChadFolden131-May-12 5:27
ChadFolden131-May-12 5:27 
SuggestionRe: Enterprise Tiff Viewing Solutions Pin
DadajiIn31-May-12 20:41
DadajiIn31-May-12 20:41 
GeneralRe: Enterprise Tiff Viewing Solutions Pin
ChadFolden11-Jun-12 7:18
ChadFolden11-Jun-12 7:18 
GeneralRe: Enterprise Tiff Viewing Solutions Pin
DadajiIn1-Jun-12 18:28
DadajiIn1-Jun-12 18:28 
QuestionHaving problems viewing larger TIF files Pin
Member 874122222-Mar-12 7:40
Member 874122222-Mar-12 7:40 
AnswerRe: Having problems viewing larger TIF files Pin
ChadFolden122-Mar-12 7:52
ChadFolden122-Mar-12 7:52 
GeneralRe: Having problems viewing larger TIF files Pin
Member 874122223-Mar-12 1:47
Member 874122223-Mar-12 1:47 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.