Code:
/ 4.0 / 4.0 / DEVDIV_TFS / Dev10 / Releases / RTMRel / ndp / fx / src / xsp / System / Web / UI / DataSourceCache.cs / 1305376 / DataSourceCache.cs
//------------------------------------------------------------------------------
//
// Copyright (c) Microsoft Corporation. All rights reserved.
//
//-----------------------------------------------------------------------------
namespace System.Web.UI {
using System.ComponentModel;
using System.Web.Caching;
using System.Web.Util;
internal class DataSourceCache : IStateManager {
public const int Infinite = 0;
private bool _tracking;
private StateBag _viewState;
///
/// The duration, in seconds, of the expiration. The expiration policy is specified by the ExpirationPolicy property.
///
public virtual int Duration {
get {
object o = ViewState["Duration"];
if (o != null)
return (int)o;
return Infinite;
}
set {
if (value < 0) {
throw new ArgumentOutOfRangeException("value", SR.GetString(SR.DataSourceCache_InvalidDuration));
}
ViewState["Duration"] = value;
}
}
///
/// Whether caching is enabled for this data source.
///
public virtual bool Enabled {
get {
object o = ViewState["Enabled"];
if (o != null)
return (bool)o;
return false;
}
set {
ViewState["Enabled"] = value;
}
}
///
/// The expiration policy of the cache. The duration for the expiration is specified by the Duration property.
///
public virtual DataSourceCacheExpiry ExpirationPolicy {
get {
object o = ViewState["ExpirationPolicy"];
if (o != null)
return (DataSourceCacheExpiry)o;
return DataSourceCacheExpiry.Absolute;
}
set {
if (value < DataSourceCacheExpiry.Absolute || value > DataSourceCacheExpiry.Sliding) {
throw new ArgumentOutOfRangeException(SR.GetString(SR.DataSourceCache_InvalidExpiryPolicy));
}
ViewState["ExpirationPolicy"] = value;
}
}
///
/// Indicates an arbitrary cache key to make this cache entry depend on. This allows
/// the user to further customize when this cache entry will expire.
///
[
DefaultValue(""),
NotifyParentProperty(true),
WebSysDescription(SR.DataSourceCache_KeyDependency),
]
public virtual string KeyDependency {
get {
object o = ViewState["KeyDependency"];
if (o != null)
return (string)o;
return String.Empty;
}
set {
ViewState["KeyDependency"] = value;
}
}
///
/// Indicates a dictionary of state information that allows you to save and restore
/// the state of an object across multiple requests for the same page.
///
[
Browsable(false),
DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden),
]
protected StateBag ViewState {
get {
if (_viewState == null) {
_viewState = new StateBag();
if (_tracking)
_viewState.TrackViewState();
}
return _viewState;
}
}
///
/// Invalidates an ASP.NET cache entry using the specified key.
/// SECURITY: This method should never accept user-defined inputs
/// because it invalidates the internal ASP.net cache.
///
public void Invalidate(string key) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
HttpRuntime.CacheInternal.Remove(key);
}
///
/// Loads data from the ASP.NET cache using the specified key.
///
public object LoadDataFromCache(string key) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
return HttpRuntime.CacheInternal.Get(key);
}
///
/// Loads the state of the DataSourceCache object.
///
protected virtual void LoadViewState(object savedState) {
if (savedState != null) {
((IStateManager)ViewState).LoadViewState(savedState);
}
}
///
/// Saves data to the ASP.NET cache using the specified key.
///
public void SaveDataToCache(string key, object data) {
SaveDataToCache(key, data, null);
}
///
/// Saves data to the ASP.NET cache using the specified key and makes
/// this entry dependent on the specified dependency.
///
public void SaveDataToCache(string key, object data, CacheDependency dependency) {
SaveDataToCacheInternal(key, data, dependency);
}
///
/// Saves data to the ASP.NET cache using the specified key, and makes
/// it dependent on the specified CacheDependency object.
/// Override this method if you need to create your own cache dependencies
/// and call this base implementation to actually save the data to the
/// cache with the standard properties (expiration policy, duration, etc.).
///
protected virtual void SaveDataToCacheInternal(string key, object data, CacheDependency dependency) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
DateTime utcAbsoluteExpiryTime = Cache.NoAbsoluteExpiration;
TimeSpan slidingExpiryTimeSpan = Cache.NoSlidingExpiration;
switch (ExpirationPolicy) {
case DataSourceCacheExpiry.Absolute:
// The caching APIs for absolute expiry expect a duration of 0 to mean no expiry,
// but for us it means infinite so we use Int32.MaxValue instead.
utcAbsoluteExpiryTime = DateTime.UtcNow.AddSeconds(Duration == 0 ? Int32.MaxValue : Duration);
break;
case DataSourceCacheExpiry.Sliding:
slidingExpiryTimeSpan = TimeSpan.FromSeconds(Duration);
break;
}
AggregateCacheDependency aggregateCacheDependency = new AggregateCacheDependency();
// Set up key dependency, if any
string[] keyDependencies = null;
if (KeyDependency.Length > 0) {
keyDependencies = new string[] { KeyDependency };
aggregateCacheDependency.Add(new CacheDependency[] { new CacheDependency(null, keyDependencies) });
}
// If there are any additional dependencies, create a new CacheDependency for them
if (dependency != null) {
aggregateCacheDependency.Add(new CacheDependency[] { dependency });
}
HttpRuntime.CacheInternal.UtcInsert(key, data, aggregateCacheDependency, utcAbsoluteExpiryTime, slidingExpiryTimeSpan);
}
///
/// Saves the current state of the DataSourceCache object.
///
protected virtual object SaveViewState() {
return (_viewState != null ? ((IStateManager)_viewState).SaveViewState() : null);
}
///
/// Starts tracking view state.
///
protected void TrackViewState() {
_tracking = true;
if (_viewState != null) {
_viewState.TrackViewState();
}
}
#region IStateManager implementation
///
bool IStateManager.IsTrackingViewState {
get {
return _tracking;
}
}
///
void IStateManager.LoadViewState(object savedState) {
LoadViewState(savedState);
}
///
object IStateManager.SaveViewState() {
return SaveViewState();
}
///
void IStateManager.TrackViewState() {
TrackViewState();
}
#endregion
}
}
// File provided for Reference Use Only by Microsoft Corporation (c) 2007.
//------------------------------------------------------------------------------
//
// Copyright (c) Microsoft Corporation. All rights reserved.
//
//-----------------------------------------------------------------------------
namespace System.Web.UI {
using System.ComponentModel;
using System.Web.Caching;
using System.Web.Util;
internal class DataSourceCache : IStateManager {
public const int Infinite = 0;
private bool _tracking;
private StateBag _viewState;
///
/// The duration, in seconds, of the expiration. The expiration policy is specified by the ExpirationPolicy property.
///
public virtual int Duration {
get {
object o = ViewState["Duration"];
if (o != null)
return (int)o;
return Infinite;
}
set {
if (value < 0) {
throw new ArgumentOutOfRangeException("value", SR.GetString(SR.DataSourceCache_InvalidDuration));
}
ViewState["Duration"] = value;
}
}
///
/// Whether caching is enabled for this data source.
///
public virtual bool Enabled {
get {
object o = ViewState["Enabled"];
if (o != null)
return (bool)o;
return false;
}
set {
ViewState["Enabled"] = value;
}
}
///
/// The expiration policy of the cache. The duration for the expiration is specified by the Duration property.
///
public virtual DataSourceCacheExpiry ExpirationPolicy {
get {
object o = ViewState["ExpirationPolicy"];
if (o != null)
return (DataSourceCacheExpiry)o;
return DataSourceCacheExpiry.Absolute;
}
set {
if (value < DataSourceCacheExpiry.Absolute || value > DataSourceCacheExpiry.Sliding) {
throw new ArgumentOutOfRangeException(SR.GetString(SR.DataSourceCache_InvalidExpiryPolicy));
}
ViewState["ExpirationPolicy"] = value;
}
}
///
/// Indicates an arbitrary cache key to make this cache entry depend on. This allows
/// the user to further customize when this cache entry will expire.
///
[
DefaultValue(""),
NotifyParentProperty(true),
WebSysDescription(SR.DataSourceCache_KeyDependency),
]
public virtual string KeyDependency {
get {
object o = ViewState["KeyDependency"];
if (o != null)
return (string)o;
return String.Empty;
}
set {
ViewState["KeyDependency"] = value;
}
}
///
/// Indicates a dictionary of state information that allows you to save and restore
/// the state of an object across multiple requests for the same page.
///
[
Browsable(false),
DesignerSerializationVisibility(DesignerSerializationVisibility.Hidden),
]
protected StateBag ViewState {
get {
if (_viewState == null) {
_viewState = new StateBag();
if (_tracking)
_viewState.TrackViewState();
}
return _viewState;
}
}
///
/// Invalidates an ASP.NET cache entry using the specified key.
/// SECURITY: This method should never accept user-defined inputs
/// because it invalidates the internal ASP.net cache.
///
public void Invalidate(string key) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
HttpRuntime.CacheInternal.Remove(key);
}
///
/// Loads data from the ASP.NET cache using the specified key.
///
public object LoadDataFromCache(string key) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
return HttpRuntime.CacheInternal.Get(key);
}
///
/// Loads the state of the DataSourceCache object.
///
protected virtual void LoadViewState(object savedState) {
if (savedState != null) {
((IStateManager)ViewState).LoadViewState(savedState);
}
}
///
/// Saves data to the ASP.NET cache using the specified key.
///
public void SaveDataToCache(string key, object data) {
SaveDataToCache(key, data, null);
}
///
/// Saves data to the ASP.NET cache using the specified key and makes
/// this entry dependent on the specified dependency.
///
public void SaveDataToCache(string key, object data, CacheDependency dependency) {
SaveDataToCacheInternal(key, data, dependency);
}
///
/// Saves data to the ASP.NET cache using the specified key, and makes
/// it dependent on the specified CacheDependency object.
/// Override this method if you need to create your own cache dependencies
/// and call this base implementation to actually save the data to the
/// cache with the standard properties (expiration policy, duration, etc.).
///
protected virtual void SaveDataToCacheInternal(string key, object data, CacheDependency dependency) {
if (String.IsNullOrEmpty(key)) {
throw new ArgumentNullException("key");
}
Debug.Assert(key.StartsWith(CacheInternal.PrefixDataSourceControl, StringComparison.Ordinal), "All keys passed in should start with the prefix specified in CacheInternal.PrefixDataSourceControl.");
if (!Enabled) {
throw new InvalidOperationException(SR.GetString(SR.DataSourceCache_CacheMustBeEnabled));
}
DateTime utcAbsoluteExpiryTime = Cache.NoAbsoluteExpiration;
TimeSpan slidingExpiryTimeSpan = Cache.NoSlidingExpiration;
switch (ExpirationPolicy) {
case DataSourceCacheExpiry.Absolute:
// The caching APIs for absolute expiry expect a duration of 0 to mean no expiry,
// but for us it means infinite so we use Int32.MaxValue instead.
utcAbsoluteExpiryTime = DateTime.UtcNow.AddSeconds(Duration == 0 ? Int32.MaxValue : Duration);
break;
case DataSourceCacheExpiry.Sliding:
slidingExpiryTimeSpan = TimeSpan.FromSeconds(Duration);
break;
}
AggregateCacheDependency aggregateCacheDependency = new AggregateCacheDependency();
// Set up key dependency, if any
string[] keyDependencies = null;
if (KeyDependency.Length > 0) {
keyDependencies = new string[] { KeyDependency };
aggregateCacheDependency.Add(new CacheDependency[] { new CacheDependency(null, keyDependencies) });
}
// If there are any additional dependencies, create a new CacheDependency for them
if (dependency != null) {
aggregateCacheDependency.Add(new CacheDependency[] { dependency });
}
HttpRuntime.CacheInternal.UtcInsert(key, data, aggregateCacheDependency, utcAbsoluteExpiryTime, slidingExpiryTimeSpan);
}
///
/// Saves the current state of the DataSourceCache object.
///
protected virtual object SaveViewState() {
return (_viewState != null ? ((IStateManager)_viewState).SaveViewState() : null);
}
///
/// Starts tracking view state.
///
protected void TrackViewState() {
_tracking = true;
if (_viewState != null) {
_viewState.TrackViewState();
}
}
#region IStateManager implementation
///
bool IStateManager.IsTrackingViewState {
get {
return _tracking;
}
}
///
void IStateManager.LoadViewState(object savedState) {
LoadViewState(savedState);
}
///
object IStateManager.SaveViewState() {
return SaveViewState();
}
///
void IStateManager.TrackViewState() {
TrackViewState();
}
#endregion
}
}
// File provided for Reference Use Only by Microsoft Corporation (c) 2007.
Link Menu

This book is available now!
Buy at Amazon US or
Buy at Amazon UK
- FormsAuthenticationModule.cs
- EntityDataSourceWrapperCollection.cs
- ListControlBuilder.cs
- DataGridViewRowCollection.cs
- DesignerObject.cs
- PolyBezierSegmentFigureLogic.cs
- AudioSignalProblemOccurredEventArgs.cs
- HotSpotCollection.cs
- BasicBrowserDialog.designer.cs
- BrowserCapabilitiesCodeGenerator.cs
- JournalEntryStack.cs
- ProjectionCamera.cs
- SR.cs
- TemplateField.cs
- EdmRelationshipNavigationPropertyAttribute.cs
- SqlTopReducer.cs
- NodeFunctions.cs
- ReadOnlyHierarchicalDataSource.cs
- ProfileGroupSettings.cs
- CodeAttachEventStatement.cs
- ComContractElementCollection.cs
- AccessDataSource.cs
- DataGridClipboardHelper.cs
- PolicyLevel.cs
- TabPanel.cs
- SafeNativeMethods.cs
- SecurityHeaderLayout.cs
- DataStreams.cs
- Solver.cs
- ResourceDictionary.cs
- RepeaterItemEventArgs.cs
- BindingMemberInfo.cs
- sapiproxy.cs
- UnitySerializationHolder.cs
- CodeDirectiveCollection.cs
- NeutralResourcesLanguageAttribute.cs
- EnumDataContract.cs
- ScriptBehaviorDescriptor.cs
- SkewTransform.cs
- ListSourceHelper.cs
- Pkcs9Attribute.cs
- OperandQuery.cs
- EventMappingSettingsCollection.cs
- Vector3DKeyFrameCollection.cs
- SharedHttpsTransportManager.cs
- XmlIterators.cs
- SendDesigner.xaml.cs
- Debug.cs
- SelectionHighlightInfo.cs
- InstanceDataCollectionCollection.cs
- SecurityContext.cs
- ContextMenuService.cs
- Propagator.JoinPropagator.cs
- AsyncWaitHandle.cs
- OleDbStruct.cs
- Transform.cs
- GeneratedContractType.cs
- MembershipValidatePasswordEventArgs.cs
- FixUp.cs
- ProjectedSlot.cs
- DependencyObjectPropertyDescriptor.cs
- HtmlInputControl.cs
- DesignTimeTemplateParser.cs
- HostProtectionException.cs
- MemberRestriction.cs
- SortedDictionary.cs
- XmlDesignerDataSourceView.cs
- RectConverter.cs
- DbConnectionHelper.cs
- OracleParameter.cs
- MappingItemCollection.cs
- BasicCommandTreeVisitor.cs
- TopClause.cs
- DetailsViewModeEventArgs.cs
- RootProfilePropertySettingsCollection.cs
- CodeGen.cs
- AndMessageFilter.cs
- ScrollProviderWrapper.cs
- StateFinalizationActivity.cs
- RuleSet.cs
- Double.cs
- StringToken.cs
- FontFamily.cs
- GeneralTransform3DCollection.cs
- AssemblyResourceLoader.cs
- InvokeHandlers.cs
- OperatorExpressions.cs
- AttachmentCollection.cs
- HitTestWithPointDrawingContextWalker.cs
- DeferredReference.cs
- LogicalCallContext.cs
- PreservationFileReader.cs
- ActivationServices.cs
- ToolStrip.cs
- ScrollItemProviderWrapper.cs
- SourceFileBuildProvider.cs
- BaseTemplateCodeDomTreeGenerator.cs
- HttpListenerRequest.cs
- Trigger.cs
- EncryptedData.cs