Wednesday, July 9, 2008

ASP.NET Session Timeouts

In ASP.NET there are lots of timeouts. In this blog entry I will be covering in great detail Session timeout due to the complexity of the issue and the fact that I can never remember where all the setting are and what they are for. I am not covering other timeouts except Script Timeout.

SIDE NOTE: Web services that you consume have timeouts before ASP.NET stops waiting for a response from a web service, but I am not covering that here. The web services on the server side have timeouts that are independent of the ASP.NET consuming the web service. I am also not covering timeouts associated with database connections or authentication either. It is however important that all these timeouts be be compatible with each other, otherwise you will get undesirable behavior. For example, don't set your execution time to less than the database timeout. Or don't set the application recycle to be less than the session timeout.


SessionState Timeout
This is the number of minutes before an ASP.NET user session is terminated. It must be an integer, and it is in minutes. The default is to terminate the session after 20 minutes and the application will throw an exception when accessing an terminated session. Another way to think of this is that it is the time between requests for a given session (which is per user) before a session is terminated.

I recommend reading Idle Timeout section below to see how these are related.


Using Web.config
<system.web>
<sessionState timeout="20" />
<system.web>


Using IIS
You can get to the setting by: Open IIS | Properties on Web Site | ASP.NET tab | Edit Configuration... (or Edit Global Configuration to change for more than one site) | State Management tab.

Here you will see a textfield with a label that says "Session timeout (minutes) with a default value of 20 minutes.

Session Timeout Event
When the session times out it fires an event called: Session_End and then when the user hits the page again (after it has expired or the first time), it will start a new session and the Session_Start event is called. It is important to know that the only thing you can really do in the Session_End event is do clean up. This is because this event fire even if a user doesn't hit a page again. In other words, if a session times out due to inactivity, the Session_End is fired even if the user never refreshes the page, etc. It is independent of the page lifecycle. These events are defined in the Global.asax file.


Detecting when a session has timed out
The short answer to this is that you have a session time when the following conditions are met:
Context.Session != null
AND Context.Session.IsNewSession == true
AND Page.Request.Headers["Cookie"] != null
AND Page.Request.Header["Cookie"].indexOf("ASP.NET_SessionId") >= 0

The long answer is read this blog for more details and sample code: http://www.eggheadcafe.com/articles/20051228.asp

and http://aspalliance.com/520


Idle Timeout


IIS 6.0 (and probably 7) has a setting that controls how idle processes are handled.

This can also affect the session timeout indirectly. This is the case when let's say you have the Idle timeout set to 10 minutes to save resources. If your site is not used a lot and say that the only user using your site stopped using it 10 minutes ago, this means that your application will get recycled. One of the side effects of an application getting recycled is that all sessions are terminated also. So, in this case even if your session is set to timeout say in 30 minutes, under some conditions (little traffic), it is effectively 10 minutes.

If you have low traffic on your application I strongly recommend you set the Idle Timeout to at least as long as your session timeout, otherwise you will effectively be limiting the session time to the Idle Timeout when there is very little traffic on your site. This is in my cases not the desired behavior.

Here is what the help docs in IIS say:
"Idle timeout limits helps conserve system resources by terminating unused worker processes by gracefully closing idle processes after a specified idle duration. This allows you to better manage the resources on particular computers when the processing load is heavy, when identified applications consistently fall into an idle state, or when new processing space is not available."


Open IIS | Properties on the App Pool you are using | Performance tab
Here you will see a setting that says: "Shutdown worker processes after being idle for 20 (time in minutes)" where 20 is the default.

NOTE: Some shared hosting provider don't allow you to access or change this value. In this case one option is to at a set interval ping your application (from a program running on another computer) to keep it alive and thus not get recycled. Though some providers may change the setting so that all application are recycled at particular times as well. Best of luck working with shared hosting providers. I would love to have feedback on a shared hosting provider that has settings that are good for low traffic sites.


Recycle Worker Processes
IIS 6.0 (and probably 7) has a another setting that you can set that determines when the worker processes are recycled.

Open IIS | Properties on the App Pool you are using | Recycling tab
Here you will see a setting that says:
"Recycle worker processes (in minutes):" with a default value of 1740 which is 29 hours.

Classic ASP - Session State timeout in IIS
There is a setting in IIS 6 (and probably 5 and 7) that controls the session timeout in minutes if the user does not refresh or change pages in the specified number of minutes. This is for Classic ASP pages NOT ASP.NET. So don't worry about this for ASP.NET. I added it here since it can be confusing You can get to the setting by: Open IIS | Properties on Web Site | Home Directory tab | Configuration button | Options tab.The field label is "Session timeout:" and the value is 20 minutes as the default value.


Classic ASP - Script timeout in IIS
There is a setting in IIS 6 (and probably 5 and 7) that controls the script timeout in seconds. This is the time that ASP allows a script to run before it stops the script and records the event in the Event Log. This is for Classic ASP pages NOT ASP.NET. So don't worry about this for ASP.NET. I added it here since it can be confusing. You can get to the setting by: Open IIS | Properties on Web Site | Home Directory tab | Configuration button | Options tab.The field label is "ASP script timeout:" and the value is 90 seconds as the default value.


Alternate Timeout handling Mechanisms
In some cases you want to inform the user about session timeout status or automatically have it renew, or maybe any other sort of action. You can use JavaScript / AJAX to accomplish this. If you have access to IIS configuration and you are something like an Intranet you can set your application pool to not recycle if you have enough resources, and set an extremely long session timeout and then handle the timeout on the client side instead. This appears to be a much better experience for the user in general. However, you can also use these techniques to just improve the experience the user has when a session times out.

This article goes into great detail so I won't. The article (
http://ajaxpatterns.org/Timeout) does such a wonder job of explaining it. It is complete with demos as well.

Here is a nice link (http://www.pascarello.com/AjaxSessionTimer.aspx) to a timeout warning message box that shows when your session is about to expire. It does not get past the issue of the application being recycled so be sure to adjust that as recommended above.

Here is a link to stuff to make your UI look really cool: http://script.aculo.us/



Script Timeout
While this is not really session timeout, it could affect it in rare instances so I am mentioning it here for completeness. This is the maximum time an .aspx page can run before timing out. It can be set in two places. Either the web.config (or machine.config for all sites) or via code using Script.ScriptTimeout. If you have debug enabled in web.config then the Server.ScriptTimeout is set to 30000000 seconds (or 347.2 days). Otherwise the default is 90 seconds. This setting is most important if you have long requests that need processing like file uploads, etc. In general the defaults are probably ok.

Using the web.config
This sets the timeout to 3 minutes.
<compilation debug="false"/>
<httpRuntime executionTimeout="180" />

Using code
Server.ScriptTimeout

Using IIS
You can get to the setting by: Open IIS | Properties on Web Site | ASP.NET tab | Edit Configuration... (or Edit Global Configuration to change for more than one site) | Application tab.

Here you will see a textfield with a label that says "Request Execution timeout (seconds):" with a default value of 110 seconds.

IMPORTANT NOTE: Be sure to uncheck the "Enable debugging" checkbox next to this field, otherwise, the value will be ignored and set to the 30,000,000 seconds that debugging defaults to.










283 comments:

«Oldest   ‹Older   201 – 283 of 283
Anonymous said...

Digital Marketing Expert IN Meerut
Digital Marketing Expert in Meerut

cloudbeginners said...

aws vpc
azure devops certification
azure load balancer
azure databricks
kubernetes dashboard

Kashi Digital Agency said...

Appreciate to peruse marvelous substance from this site. I bookmarked this site.


Digital Marketing Company In India
SEO Company In Varanasi | SEO Services In Varanasiz
Website Design Company In Varanasi
Cheap Website Design Company In Bangalore
Website Designer, maker, creator, developer Near me
Best Software Company In India
Varanasi CAB | Taxi, Cab Service In Varanasi | Airport Cab | Car Rentals in Varanasi
Health And Beauty Products Manufacturer

Nextwave Creators said...

Nice Post!!
Please look here at Digital Marketing Agency in Bangalore

Nextwave Creators said...

Nice Post!!
Please look here at Digital Marketing Company in Bangalore

The Genuine Leather said...

Good morning! This piece could not be more well-written! Reading this post brings back memories of my previous flatmate! He continued to talk about it in general. I'll send him this review first. He'll almost certainly have a good read. Thank you very much for sharing!Loki Variant Jacket

TechDost Services said...

Social Media Marketing expert in Meerut!
Marketing means delivering the right message to your audience. The message you deliver will be unique, attractive, and engaging. You need skills to engage your audience so that later you can convert them into your target audience. And for social media marketing, you need a person that can deliver your message effectively and efficiently. Just contact Rashmi Rathi working at Techdost Services Private Limited! She is the foremost social media marketing expert in Meerut!
Social Media Markerting Expert in Meerut

eddielydon said...

It was not first article by this author as I always found him as a talented author.
Attack on Titan Jacket

Maddy said...

nice blog

Best nursing colleges in bangalore
best bsc nursing colleges in bangalore

Top nursing colleges in bangalore
top bsc nursing colleges in bangalore

The Genuine Leather said...

Hello, thank you for sharing your article with us; I value your information, which I greatly value, and I would return to your website.custom jacket

ETHEREUM TOKEN DEVELOPMENT said...

https://www.nadcab.com/erc20-token-development
Are you looking for Ethereum standard ERC token development services?. If you want to create your own Ethereum standard ERC token Development, we align our services with your needs to build an Ethereum standard ERC token as per your requirements. Additionally, we can guide you on how much does it cost to create a token.
Visit us:- https://bit.ly/3a1POSb

Anonymous said...


Looking for a Branding specialist in Meerut?
Meet Simran kapoor a leading Branding specialist located in Meerut. Providing high-class branding strategies to clients all over the world. She is one of the
best content writer in Meerut delivering the best content to the clients and already worked for top-notch clients of India.a
Branding specialists in Meerut
Best Content Writer in Meerut

Grow On Top said...

In ASP.NET there are bunches of breaks. In this blog section I will cover exhaustively Session break because of the intricacy of the issue and the way that I can easily forget where all the setting are and what they are really going after. I'm not covering other breaks aside from Script Timeout.

SIDE NOTE: Web benefits that you devour have breaks before ASP.NET prevents sitting tight for a reaction from a web administration, however I am not covering that here. The web administrations on the server side have breaks that are free of the ASP.NET burning-through the web administration. I'm likewise not covering breaks related with information base associations or confirmation all things considered. It is anyway significant that every one of these breaks be viable with one another, any other way you will get unfortunate conduct. For instance, don't set your execution time to not exactly the information base break. Or then again don't set the application reuse to be not exactly the meeting break.

Digital Marketing Agency in India

Service on Street said...
This comment has been removed by the author.
service on street said...

Excellent Blog! I would like to thank you for the efforts you have made in writing this post. Gained lots of knowledge.

cityweb said...

Thank you so much for such a wonderful blog.

best seo company in bangalore

best seo services company in bangalore

Lokeswari said...

Excellent blog and I really glad to visit your post. Keep continuing...

internship meaning | internship meaning in tamil | internship work from home | internship certificate format | internship for students | internship letter | Internship completion certificate | internship program | internship certificate online | internship graphic design

Techystick said...

cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
what is azure
azure free account

Data Science Training in Hyderabad said...

Online Training | Classroom | Virtual Classes
Data Science Course in Hyderabad with 100% placement assistance
Data Analyse Career Guidance
Data Science Course in Hyderabad from Real time expert trainers
Indutry oriented training with corporate casestudies
Free Aptitude classes & Mock interviews

manasa said...

Much obliged to you for sharing. Your blog entries are fascinating and enlightening. I think many individuals like it and visit it routinely, including me…

AI Training in Hyderabad

Karthik said...

Thank for your writing! It is easy to understand and detailed. I feel it is interesting, I hope you continue to have such good posts.Click Here

George Mark said...

Thank you very much for this great post. kenosha kickers jacket

Nishanth said...

Nice information, valuable and excellent design, and the way the information is presented with good ideas and concepts. Lots of information and inspiration, which I greatly need. Thank you for providing such a helpful post. Click here.

pratham said...

Bizkro nic blog i never read this type of blog wonderful.

Unknown said...

I must say, I thought this was a pretty interesting read when it comes to this topic. Liked the material. . . . . data science training in mysore

Unknown said...

Well, this got me thinking what other workouts are good for those of us who find ourselves on the road or have limited equipment options. data science course in surat

Pregnya Digital said...

thank you for sharing the blog

Unknown said...

This is also a primarily fantastic distribute which I really specialized confirming out data analytics course in surat

Unknown said...

They're produced by the very best degree developers who will be distinguished for your polo dress creating. You'll find polo Ron Lauren inside exclusive array which include particular classes for men, women. business analytics course in surat

Techystick said...

az 900 study guide
ai 900 study guide
dp 900 study guide
sc 900 study guide
pl 300 study guide
az 204 study guide
az 500 study guide
dp 300 study guide
dp 100 study guide
dp 203 study guide
az 104 study guide
az 600 study guide

data science course in lucknow said...


It is different from the data insight aspect. Algorithms are used to develop data, whereas the executives make better decisions about the product using data insight.

data science course in lucknow It is different from the data insight aspect. Algorithms are used to develop data, whereas the executives make better decisions about the product using data insight. said...


It is different from the data insight aspect. Algorithms are used to develop data, whereas the executives make better decisions about the product using data insight.



data science course in lucknow

Data science course said...

It has lessened the load on the people as it works on the data patterns that minimize the data volumedata science course in ghaziabad.

Buy Gold Rings Online said...

Hey there

Thanks for sharing this site, Keep on Updating more like this

href="https://www.jcsjewellers.com/collections/diamond-necklace>"Buy Diamond Necklace Online"

Buy Gold Rings Online said...

Hey there

Thanks for sharing this site, Keep on updating more like this

"Top Jewellers in chennai"

Rankraze bangalore said...

Digital Marketing Agency in Bangalore | SEO, SEM, SMO and SMM | Digital Marketing Company in Bangalore


Digital Marketing Agency in Bangalore | SEO, SEM, SMO and SMM | Digital Marketing Company in Bangalore
Rankraze is one of the leading Digital Marketing Agency in Bangalore. Our passionate team working to find Digital Marketing solutions
for SME businesses. Get free site analysis to call 97100 79798

Digital Marketing Agency in Bangalore,
Digital Marketing Company in Bangalore,

SEO Services in Bangalore, SEM Services in Bangalore, SMO Services in Bangalore, SMM Services in Bangalore,

puravankara said...

I have read the article and found it very useful for readers. You must continue this good work and provide valuable content for readers.
Visit us

Meghana Sathish said...

Great article. very informative and impressed thanks for sharing.
we are the Top Web Development Company in Bangalore

lalithaa jewellery said...

Choosing the right jewellery is always a big decision. Lalithaa Jewellers understands that it needs to be taken seriously.

Lalithaa Jewellers is one of the leading jewellery stores from Chennai. The store offers a wide range of gold ,platinum and diamond jewellery for women and men at affordable prices.
Lalithaa Jewellery, an Indian jewellery brand, has introduced a new gold scheme to its customers. The eleven month gold scheme is for those who want to purchase jewellery at a discounted price.

WHAT ARE YOU WAITING FOR GRAB IT SOON

Gold jewellery store in india

Rubel hossen said...

wordpress design agency in united states Need professional WordPress Web Design Services? We're experts in developing attractive mobile-friendly WordPress websites for businesses. Contact us today!

Ayanjit Biswas said...

That’s a great article and details regarding the subject matter you possess now. Your blog provided me with useful information to work on. You have done a marvellous job!
SEO Services in London
SEO Company in London

Sruthi Karan said...

It was really awesome and I gain more information from your post. Thank you!
Divorce Attorneys Fairfax va
Divorce Attorney in Fairfax

Platinum jewellery in chennai said...

Hey there
Thanks for explaining about this session timeout in details
Keep on sharing more like this

Roshan Ray said...

You may easily set up your business and become your own boss whether you are a web developer, web designer, or a freelancer. Our Linux Reseller Web Hosting package supports hosting an infinite number of domains and offers unlimited cPanel accounts.

Pavithra Santhoshkumar said...

Guaranteed to study Dot Net Training in Chennai to join top multinational companies. Try Chennai Dot Net Training at Infycle Technologies in Chennai. Add more skills courses and more than 50 offline courses to prepare you for advanced careers in companies that offer exceptional compensation packages. If you have any questions, please call 7504633633 or 7502633633.

Mahalakshmi said...

Thank you so much for sharing this wonderful post. Keep posting such valuable contents.
We are the leading website design company in Dubai provides affordable and beautiful website design, development, and hosting services.

shashi said...

Excellent article.
This is a fantastic blog from which people can learn a lot. It is very informative and is explained in simple and detailed words that are easy to understand.
Want to learn Data Science Course In Hyderabad visit my

Link Building Services in India said...

At ShoutRank, we provide Affordable Link Building Services in India with demonstrated strategies and master organizing abilities to get you the most ideal connections for your site.

Abigail said...

Thankyou so much for providing the information very useful.
For Digital Marketing Company in Bangalore

Kanchanpushp said...

Kanchanpushp - Online Gold and Diamond Jewellery store in Nashik.
Kanchanpushp was established in June 2019 and built on the pillars of trust, transparency, and quality. Managed by a highly qualified team of graduate gemologists from GIA. Its employees are trained to value the finer aspects of gems and jewels.
Visit for more details: https://www.kanchanpushp.com/

dishi verma said...

Arya SAid....WHat???/

Kanchanpushp said...

Kanchanpushp - Online Gold and Diamond Jewellery store in Nashik.

Kanchanpushp was established in June 2019 and built on the pillars of trust, transparency, and quality. Managed by a highly qualified team of graduate gemologists from GIA. Its employees are trained to value the finer aspects of gems and jewels. To know more visit https://www.kanchanpushp.com/

Mecturing said...

MecTURING's Robotic vacuum cleaners the right choice for your family. We believe that every individual deserves to live intelligently.

Ibexsurefoot said...

We Provide Anti-Slip Coating, Tile Coating, and Anti-Skid Flooring Services in Pune for Homes, Offices, Hospitals, & Industrial Spaces. Just Call, Don't Fall.

Infojar said...

InfoJar Is the Ultimate Blog Destination for Online Professionals Who Want to Stay Up-To-Date on All the Latest Blog Posts and Information.
Get All the latest updates on the world in one place.
LInk: https://infojar.in/

cosmetify said...

Thanks for the sharing useful article with us.private label cosmetics manufacturers in india.

Anonymous said...

best health screening package in singapore

Want to know what makes Singapore's leading health technology company so special? Discover their innovative practices, cutting-edge technologies, and investments in health tech research!
best health screening package in singapore

TechPlek Development and Digital Marketing Solution said...

In this digitalized world everyone is connected. Have you ever wondered how it’s possible? The solution comes out to “Social Media”, as we know social media hold a very conventional and active medium to connect with other people. Advanced users already know how to connect and build communities. And for the upcoming years, social media marketing will rule the top of the world Take a look at the trends for social media marketing for 2023. Visit our website for more information.

AeroBiz said...

Very useful post. Thank you. I'm from Bangalore. Bangalore, also known as the Silicon Valley of India, is home to some of the best SEO companies in India. These companies have a great reputation for providing high-quality SEO services to clients from various industries - SEO company in Bangalore

Digital Marketing Agency said...

Thanks for the very nice information
you can also visit our websites to read the latest digital marketing updates
Best Digital Marketing

PR AGENCY said...

Nice Post!!
Please look here at PR Firms in Gurgaon

shubhi pandey said...

Thanks for sharing great article. Tally Training in Pune

CodeKing Solutions said...

What I love about the blog is that it covers a wide range of topics, from personal development to lifestyle and travel. Each post is thoughtfully crafted with practical tips and advice that readers can apply in their daily lives. You can learn more about Opencart Web Development Company India for your business needs.

Digivend said...

One of the things I appreciated most about the post was the depth of research that had clearly gone into it. This made the post not only informative but also credible and trustworthy and If you want to learn digital marketing course then you should join Digital Marketing Institute Noida as well as you can visit to our website to know more.

Data Science Course in Vijayawada said...

Excellent share! Thanks for explaining everything properly.

Please check this amazing course below.

Data Science Course in Vijayawada

Discover Vidal International's best data science course in Vijayawada, designed for beginners and professionals. Enjoy flexible learning, 100% placement guarantee, and lifetime support.

shubhi pandey said...

Thanks for sharing this blog. Machine Learning Course in Pune

Digital360 Plus said...

We offer a complete Digital promoting administrations like SEO, Facebook Ads, Google Ads, email marketing etc. Best Digital Marketing Company in bangalore , best digital marketing agency in bangalore

Anonymous said...

Thank you! I learn something new and chal 토토

Website Development Services Noida said...

Are you looking for the best Shopify development company in India If yes, you may hear about the RS organisation.

Aran Law said...

Family Lawyers in Chennai
Family lawyers play a crucial role in helping individuals and families navigate complex legal matters and find solutions that are in the best interests of all parties involved. Their expertise in family law allows them to provide guidance, representation, and legal advocacy in various family-related legal situations.

Siddu said...

Kacha Bella Dhoop Sticks
Sri Krishna Premium Masala Bathi Incense Sticks
Deivathin Kural Complete Set

Anonymous said...

This blog is a valuable, up-to-date resource with engaging content. Check our IT Certification Course by SkillUp Online.

sindhu said...

Kanda puranam book
Laddle aarti heavy
Dhoopkal with wooden handle

Siddu said...

Lakshmi pooja collection
Shankh stand
Gajalakshmi idol

Monisha said...

Your insights are incredibly informative and thought-provoking.
Bangalore Website development company | Website Designers in Bangalore

Sathya said...

I found your article to be both engaging and informative. Thanks for sharing your expertise. When it comes to delving into the realm of digital marketing, Digital Academy 360 is the way to go. Their expert-led course provides hands-on experience and 100% placement support. Best of luck with your future writings.


Digital marketing courses in bangalore



tharani said...

Nice post!
Delhi Website Development Company
Website Designers in Delhi

smart crypto said...

world777 login

arsenal jackets said...

Accommodating and so viable. Much obliged to distribute this recently substance.

balamarketer said...


Access business analyst job support for expert assistance in navigating challenges related to data analysis, requirements gathering, and project management. Receive guidance on refining strategies, optimizing decision-making processes, and overcoming complex business challenges. Elevate your skills and excel in your business analyst role with personalized assistance and support.

Amitkumar said...

Elevate your email marketing with our expert Mailwizz services. Unlock efficient campaigns and superior deliverability today.

Akshat said...

It's wonderful to hear that you found value in the blog, and I appreciate your thoughtful engagement. If you're on a quest to broaden your understanding, I suggest you explore 1stepGrow. This cutting-edge platform offers a diverse range of courses and resources that you'll find beneficial. Specifically, their Data Science and Machine Learning course could be right up your alley. It's an excellent avenue for both learning and personal growth. Wishing you a fulfilling educational experience!

Tecblog1 said...

Discover the leading data center in Poland. Our solutions offer top-notch reliability, security, and scalability for your business needs.

«Oldest ‹Older   201 – 283 of 283   Newer› Newest»