• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

C# Caching.CacheDependency类代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了C#中System.Web.Caching.CacheDependency的典型用法代码示例。如果您正苦于以下问题:C# CacheDependency类的具体用法?C# CacheDependency怎么用?C# CacheDependency使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。



CacheDependency类属于System.Web.Caching命名空间,在下文中一共展示了CacheDependency类的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C#代码示例。

示例1: Page_Load

        protected void Page_Load(object sender, EventArgs e)
        {
            if (Cache["Data"] != null)
            {
                Label1.Text = "From Cache";
                GridView1.DataSource = Cache["Data"];
                GridView1.DataBind();
            }
            else
            {
                Label1.Text = "From List";
                Employee emp = new Employee();
                GridView1.DataSource = emp.GetEmployees();
                GridView1.DataBind();
                Cache["Data"] = emp.GetEmployees();
                Cache.Insert("Data", emp.GetEmployees());
   CacheDependency cd = new CacheDependency(Server.MapPath("myfile.txt"));
   Cache.Insert("Data", emp.GetEmployees(), cd, DateTime.Now.AddSeconds(20), Cache.NoSlidingExpiration);

            }


            ////       throw new InvalidOperationException("An InvalidOperationException " +
            ////"occurred in the Page_Load handler .");
        }
开发者ID:rinitathomas,项目名称:TeamManagementApp,代码行数:25,代码来源:TeamPage.aspx.cs


示例2: Page_Load

        protected void Page_Load(object sender, EventArgs e)
        {
            var filePath = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData) + @"\file.txt";
            if (!File.Exists(filePath))
            {
                File.WriteAllText(filePath, "content");
            }

            if (this.Cache["file"] == null)
            {
                var dependency = new CacheDependency(filePath);
                var content = string.Format("{0} [{1}]", File.ReadAllText(filePath), DateTime.Now);
                Cache.Insert(
                    "file",                    // key
                    content,                   // object
                    dependency,                // dependencies
                    DateTime.Now.AddHours(1),  // absolute exp.
                    TimeSpan.Zero,             // sliding exp.
                    CacheItemPriority.Default, // priority
                    null);                     // callback delegate
            }

            this.filePathSpan.InnerText = filePath;
            this.currentTimeSpan.InnerText = this.Cache["file"] as string;
        }
开发者ID:syssboxx,项目名称:SchoolAcademy,代码行数:25,代码来源:CacheDependencies.aspx.cs


示例3: GetResources

        public static Dictionary<string, string> GetResources()
        {
            string key = "_CVV_RESOURCES_";

            Dictionary<string, string> resources = HttpRuntime.Cache.Get(key) as Dictionary<string, string>;

            if (resources == null)
            {
                string fp = WebAppContext.Server.MapPath(string.Format("~/Languages/{0}/Resources.xml", WebAppContext.Session.LanguageCode));
                CacheDependency dp = new CacheDependency(fp);
                resources = new Dictionary<string, string>(StringComparer.InvariantCulture);

                XmlDocument d = new XmlDocument();
                d.Load(fp);

                foreach (XmlNode n in d.SelectSingleNode("root").ChildNodes)
                {
                    if (n.NodeType != XmlNodeType.Comment)
                    {
                        if (n.Attributes["name"] == null || n.Attributes["name"].Value == null)
                            continue;

                        if (!resources.ContainsKey(n.Attributes["name"].Value))
                        {
                            resources.Add(n.Attributes["name"].Value, n.InnerText);
                        }
                    }
                }

                HttpRuntime.Cache.Add(key, resources, dp, DateTime.Now.AddHours(_hours), Cache.NoSlidingExpiration, CacheItemPriority.High, null);

            }

            return resources;
        }
开发者ID:yslib,项目名称:minimvc,代码行数:35,代码来源:ResourceManager.cs


示例4: Set

 /// <summary>
 /// 本地缓存写入(默认缓存20min),依赖项
 /// </summary>
 /// <param name="name">key</param>
 /// <param name="value">value</param>
 /// <param name="cacheDependency">依赖项</param>
 public static void Set(string name, object value, CacheDependency cacheDependency)
 {
     if (value != null)
     {
         HttpRuntime.Cache.Insert(name, value, cacheDependency, Cache.NoAbsoluteExpiration, TimeSpan.FromMinutes(10), CacheItemPriority.Normal, null);
     }
 }
开发者ID:tomfang678,项目名称:SmartWeb,代码行数:13,代码来源:Caching.cs


示例5: Cache

        /// <summary>
        /// 获取缓存对象
        /// </summary>
        /// <param name="context">当前执行上下文</param>
        /// <param name="cacheKey">缓存名称</param>
        /// <param name="cacheDependencies">缓存依赖类型</param>
        /// <param name="absoluteExpiration">过期时间</param>
        /// <param name="slidingExpiration">用于设置可调过期时间,它表示当离最后访问超过某个时间段后就过期</param>
        /// <param name="func">要执行的委托方法</param>
        /// <returns>缓存对象</returns>
        public static object Cache(
            HttpContext context,
            string cacheKey,
            CacheDependency cacheDependencies,
            DateTime absoluteExpiration,
            TimeSpan slidingExpiration,
            Func<object> func)
        {
            var cache = context.Cache;
            var content = cache.Get(cacheKey);

            if (content == null)
            {
                lock (lockObject) //线程安全的添加缓存
                {
                    content = cache.Get(cacheKey);
                    if (content == null)
                    {
                        content = func();
                        cache.Insert(cacheKey, content, cacheDependencies, absoluteExpiration, slidingExpiration);
                    }
                }
            }
            return content;
        }
开发者ID:eopeter,项目名称:dmelibrary,代码行数:35,代码来源:DMEWeb_CacheObject.cs


示例6: HandlerMapping

        private const long CACHE_EXPIRED = 31104000; // tính theo giây

        public HandlerMapping()
        {
            if (null != HttpContext.Current.Cache[CACHE_NAME])
            {
                try
                {
                    this.Domains = (DomainCollection)HttpContext.Current.Cache[CACHE_NAME];
                    return;
                }
                catch
                {
                }
            }

            string configFilePath = System.Web.HttpContext.Current.Server.MapPath("/HandlerMapping/HandlerMapping.config");

            XmlDocument xmlDoc = new XmlDocument();
            xmlDoc.Load(configFilePath);

            this.Domains = new DomainCollection();

            if (xmlDoc != null && xmlDoc.DocumentElement.ChildNodes.Count > 0)
            {
                XmlNodeList nodeDomains = xmlDoc.DocumentElement.SelectNodes("//AllowDomains/AllowDomain");

                for (int domainIndex = 0; domainIndex < nodeDomains.Count; domainIndex++)
                {
                    string domainName = nodeDomains[domainIndex].Attributes["domain"].Value;
                    //string idenity = nodeDomains[domainIndex].Attributes["idenity"].Value;
                    Domain newDomain = new Domain(domainName, "");

                    XmlNodeList nodeHandlers = nodeDomains[domainIndex].SelectNodes("handler");

                    for (int handlerIndex = 0; handlerIndex < nodeHandlers.Count; handlerIndex++)
                    {
                        string key = nodeHandlers[handlerIndex].Attributes["key"].Value;
                        string assembly = nodeHandlers[handlerIndex].Attributes["assembly"].Value;
                        string method = nodeHandlers[handlerIndex].Attributes["method"].Value;
                        string parameters = nodeHandlers[handlerIndex].Attributes["params"].Value;
                        int cacheExpiration = Lib.Object2Integer(nodeHandlers[handlerIndex].Attributes["cache"].Value);
                        string allowRequestKey = nodeHandlers[handlerIndex].Attributes["AllowRequestKey"].Value;
                        
                        JavaScriptSerializer jsSerializer = new JavaScriptSerializer();
                        List<string> listOfParams = new List<string>();
                        if (parameters != "")
                        {
                            listOfParams = jsSerializer.Deserialize<List<string>>("[" + parameters + "]");
                        }

                        newDomain.Handlers.Add(new Handler(key, assembly, method, cacheExpiration, allowRequestKey, listOfParams.ToArray()));
                    }

                    this.Domains.Add(newDomain);
                }

                CacheDependency fileDependency = new CacheDependency(configFilePath);
                HttpContext.Current.Cache.Insert(CACHE_NAME, this.Domains, fileDependency, DateTime.Now.AddSeconds(CACHE_EXPIRED), TimeSpan.Zero, CacheItemPriority.Normal, null);

            }
        }
开发者ID:giangcoffee,项目名称:cafef.redis,代码行数:62,代码来源:HandlerMapping.cs


示例7: Insert

 public void Insert(string key, object value, CacheDependency dependencies, DateTime absoluteExpiration, TimeSpan slidingExpiration, CacheItemUpdateCallback onUpdateCallback)
 {
     if (((dependencies == null) && (absoluteExpiration == NoAbsoluteExpiration)) && (slidingExpiration == NoSlidingExpiration))
     {
         throw new ArgumentException(System.Web.SR.GetString("Invalid_Parameters_To_Insert"));
     }
     if (onUpdateCallback == null)
     {
         throw new ArgumentNullException("onUpdateCallback");
     }
     DateTime utcAbsoluteExpiration = DateTimeUtil.ConvertToUniversalTime(absoluteExpiration);
     this._cacheInternal.DoInsert(true, key, value, null, NoAbsoluteExpiration, NoSlidingExpiration, CacheItemPriority.NotRemovable, null, true);
     string[] cachekeys = new string[] { key };
     CacheDependency expensiveObjectDependency = new CacheDependency(null, cachekeys);
     if (dependencies == null)
     {
         dependencies = expensiveObjectDependency;
     }
     else
     {
         AggregateCacheDependency dependency2 = new AggregateCacheDependency();
         dependency2.Add(new CacheDependency[] { dependencies, expensiveObjectDependency });
         dependencies = dependency2;
     }
     this._cacheInternal.DoInsert(false, "w" + key, new SentinelEntry(key, expensiveObjectDependency, onUpdateCallback), dependencies, utcAbsoluteExpiration, slidingExpiration, CacheItemPriority.NotRemovable, s_sentinelRemovedCallback, true);
 }
开发者ID:pritesh-mandowara-sp,项目名称:DecompliedDotNetLibraries,代码行数:26,代码来源:Cache.cs


示例8: ReadData

        public List<CombinerModel> ReadData(string fileName)
        {
            List<CombinerModel> list = new List<CombinerModel>();
            object obj = CacheHelper.ReadData(ConstMember.CONFIG_CACHE_ID);

            if (obj == null)
            {
                string strFilePath = GetAbsolutPath(fileName);

                try
                {
                    obj = XMLHelper.LoadFromXml(strFilePath, list.GetType());
                    CacheDependency dep = new CacheDependency(strFilePath);
                    CacheHelper.WriteData(ConstMember.CONFIG_CACHE_ID, dep, obj);
                }
                catch
                {
                }
            }

            if (obj != null && obj is List<CombinerModel>)
            {
                list = obj as List<CombinerModel>;
            }

            return list;
        }
开发者ID:priceLiu,项目名称:resource,代码行数:27,代码来源:SystemConfigOperation.cs


示例9: SaveDataCache

        public void SaveDataCache(string request, int expiredSecond, int expiredMinute, int expiredHour, object objet, string dependancyKey = ""
            , bool lowPriority = false, bool autoReload = false)
        {
            if (IsActive && HttpRuntime.Cache.EffectivePercentagePhysicalMemoryLimit > 5)
            {
                if (objet != null)
                {
                    if (HttpRuntime.Cache[request] != null)
                        HttpRuntime.Cache[request] = objet;
                    else
                    {
                        CacheDependency dependance = null;
                        if (!String.IsNullOrEmpty(dependancyKey))
                        {
                            dependance = new CacheDependency(null, new string[] { dependancyKey });
                        }

                        CacheItemPriority priorite = (lowPriority ? CacheItemPriority.Low : CacheItemPriority.Normal);

                        if (autoReload)
                            HttpRuntime.Cache.Insert(request, objet, dependance, DateTime.Now.Add(new TimeSpan(expiredHour, expiredMinute, expiredSecond)), TimeSpan.Zero, priorite, RemovedCallback);
                        else
                            HttpRuntime.Cache.Insert(request, objet, dependance, DateTime.Now.Add(new TimeSpan(expiredHour, expiredMinute, expiredSecond)), TimeSpan.Zero, priorite, null);

                        if (!_keys.Contains(request))
                            _keys.Add(request);
                    }
                }
            }
        }
开发者ID:mobile-devices,项目名称:cloudconnect_dotnet_client,代码行数:30,代码来源:RepositoryBase.cs


示例10: Page_Load

        protected void Page_Load(object sender, EventArgs e)
        {
            string rootPath = MapPath("~/");

            DirectoryInfo rootDirectory = new DirectoryInfo(rootPath);

            var files = rootDirectory.GetFiles();
            int filesCount = files.Length;

            this.ListViewFiles.DataSource = files;
            this.ListViewFiles.DataBind();

            if (Cache["FilesCount"] == null)
            {
                var dependency = new CacheDependency(rootPath);
                Cache.Insert(
                    "FilesCount", // key
                    filesCount, // object
                    dependency, // dependencies
                    DateTime.Now.AddHours(1), // absolute expiration
                    TimeSpan.Zero, // sliding expiration
                    CacheItemPriority.Default, // priority
                    null); // callback delegate
            }

            this.LiteralRootDirectory.Text = string.Format(
                "Root directory: {0} ({1} files)",
                rootPath,
                Cache["FilesCount"]);
        }
开发者ID:nikolaynikolov,项目名称:Telerik,代码行数:30,代码来源:ProjectFiles.aspx.cs


示例11: Page_Load

        protected void Page_Load(object sender, EventArgs e)
        {
            var directoryName = Server.MapPath("\\Common");

            DirectoryInfo dirInfo = new DirectoryInfo(directoryName);
            string[] filenames = dirInfo.GetFiles().Select(i => i.Name).ToArray();
            string[] fullNames = dirInfo.GetFiles().Select(i => i.FullName).ToArray();

            if (this.Cache["files"] == null)
            {
                var dependency = new CacheDependency(fullNames);
                var content = string.Join(", ", filenames) + DateTime.Now;
                Cache.Insert(
                    "files",                    // key
                    content,                   // object
                    dependency,                // dependencies
                    DateTime.Now.AddHours(1),  // absolute exp.
                    TimeSpan.Zero,             // sliding exp.
                    CacheItemPriority.Default, // priority
                    null);                     // callback delegate
            }

            this.filePathSpan.InnerText = string.Join(", ", filenames) + DateTime.Now;
            this.currentTimeSpan.InnerText = this.Cache["files"] as string;
        }
开发者ID:NikitoG,项目名称:TelerikAcademyHomeworks,代码行数:25,代码来源:ListAllFiles.aspx.cs


示例12: Insert

		public static void Insert(string key, object value, CacheDependency dependency, TimeSpan timeframe, CacheItemPriority priority)
		{
			if (value != null)
			{
				_cache.Insert(key, value, dependency, DateTime.Now.Add(timeframe), Cache.NoSlidingExpiration, priority, null);
			}
		}
开发者ID:Wdovin,项目名称:vc-community,代码行数:7,代码来源:WFFileSystemWorkflowActivityProvider.cs


示例13: AddCacheItem

        public void AddCacheItem(string rawKey, object value)
        {
            if (value == null)
            {
                return;
            }

            Cache dataCache = HttpRuntime.Cache;

            // Make sure MasterCacheKeyArray[0] is in the cache - if not, add it.
            if (dataCache[_masterCacheKeyArray[0]] == null)
            {
                dataCache[_masterCacheKeyArray[0]] = DateTime.UtcNow;
            }

            // TODO: Test what happens if I dispose this cache dependency after inserting in cache.
            // Adding a cache dependency:
            var dependency =
                new CacheDependency(null, _masterCacheKeyArray);
            dataCache.Insert(
                GetCacheKey(rawKey),
                value,
                dependency,
                DateTime.UtcNow.AddSeconds(CacheDuration),
                Cache.NoSlidingExpiration);
        }
开发者ID:uncas,项目名称:core,代码行数:26,代码来源:CacheHelper.cs


示例14: CacheBuildResult

 internal override void CacheBuildResult(string cacheKey, BuildResult result, long hashCode, DateTime utcStart)
 {
     if (!BuildResultCompiledType.UsesDelayLoadType(result))
     {
         ICollection virtualPathDependencies = result.VirtualPathDependencies;
         CacheDependency dependencies = null;
         if (virtualPathDependencies != null)
         {
             dependencies = result.VirtualPath.GetCacheDependency(virtualPathDependencies, utcStart);
             if (dependencies != null)
             {
                 result.UsesCacheDependency = true;
             }
         }
         if (result.CacheToMemory)
         {
             CacheItemPriority normal;
             BuildResultCompiledAssemblyBase base2 = result as BuildResultCompiledAssemblyBase;
             if (((base2 != null) && (base2.ResultAssembly != null)) && !base2.UsesExistingAssembly)
             {
                 string assemblyCacheKey = BuildResultCache.GetAssemblyCacheKey(base2.ResultAssembly);
                 Assembly assembly = (Assembly) this._cache.Get(assemblyCacheKey);
                 if (assembly == null)
                 {
                     this._cache.UtcInsert(assemblyCacheKey, base2.ResultAssembly, null, Cache.NoAbsoluteExpiration, Cache.NoSlidingExpiration, CacheItemPriority.NotRemovable, null);
                 }
                 CacheDependency dependency2 = new CacheDependency(0, null, new string[] { assemblyCacheKey });
                 if (dependencies != null)
                 {
                     AggregateCacheDependency dependency3 = new AggregateCacheDependency();
                     dependency3.Add(new CacheDependency[] { dependencies, dependency2 });
                     dependencies = dependency3;
                 }
                 else
                 {
                     dependencies = dependency2;
                 }
             }
             string memoryCacheKey = GetMemoryCacheKey(cacheKey);
             if (result.IsUnloadable)
             {
                 normal = CacheItemPriority.Normal;
             }
             else
             {
                 normal = CacheItemPriority.NotRemovable;
             }
             CacheItemRemovedCallback onRemoveCallback = null;
             if (result.ShutdownAppDomainOnChange || (result is BuildResultCompiledAssemblyBase))
             {
                 if (this._onRemoveCallback == null)
                 {
                     this._onRemoveCallback = new CacheItemRemovedCallback(this.OnCacheItemRemoved);
                 }
                 onRemoveCallback = this._onRemoveCallback;
             }
             this._cache.UtcInsert(memoryCacheKey, result, dependencies, result.MemoryCacheExpiration, result.MemoryCacheSlidingExpiration, normal, onRemoveCallback);
         }
     }
 }
开发者ID:pritesh-mandowara-sp,项目名称:DecompliedDotNetLibraries,代码行数:60,代码来源:MemoryBuildResultCache.cs


示例15: WriteData

 public static void WriteData(string cacheID, CacheDependency cacheDependency, object data)
 {
     HttpRuntime.Cache.Insert(
                    cacheID, data, cacheDependency, Cache.NoAbsoluteExpiration,
                    Cache.NoSlidingExpiration, CacheItemPriority.NotRemovable, null
                    );
 }
开发者ID:priceLiu,项目名称:resource,代码行数:7,代码来源:CacheHelper.cs


示例16: Insert

 public void Insert(string key, object value, CacheDependency dependencies,
     DateTime absoluteExpiration, TimeSpan slidingExpiration,
     CacheItemPriority priority, CacheItemRemovedCallback onRemoveCallback)
 {
     _cache.Insert(key, value, dependencies, absoluteExpiration, slidingExpiration,
         priority, onRemoveCallback);
 }
开发者ID:jammycakes,项目名称:dolstagis.ideas,代码行数:7,代码来源:HttpRuntimeCache.cs


示例17: Version

        /// <summary>
        /// Versions the specified relative path.
        /// </summary>
        /// <param name="relativePath">The relative path.</param>
        /// <returns>The versioned relative path.</returns>
        public static string Version(string relativePath)
        {
            if (relativePath == null) return null;

            if (HttpRuntime.Cache[relativePath] == null)
            {
                var absolutePath = HostingEnvironment.MapPath(relativePath);
                if (!File.Exists(absolutePath) && relativePath.StartsWith("/", StringComparison.OrdinalIgnoreCase))
                {
                  absolutePath = HostingEnvironment.MapPath("~" + relativePath);
                }

                if (absolutePath != null && File.Exists(absolutePath))
                {
                    using (var stream = File.OpenRead(absolutePath))
                    using (var sha = new SHA1Managed())
                    {
                        var hash = sha.ComputeHash(stream);
                        var hashString = BitConverter.ToString(hash).Replace("-", string.Empty);

                        if (relativePath.StartsWith("~", StringComparison.OrdinalIgnoreCase))
                        {
                          relativePath = VirtualPathUtility.ToAbsolute(relativePath);
                        }

                        var versionedUrl = relativePath + "?v=" + hashString;

                        using (var cacheDependency = new CacheDependency(absolutePath)) HttpRuntime.Cache.Insert(relativePath, versionedUrl, cacheDependency);
                    }
                }
            }

            return HttpRuntime.Cache[relativePath] as string;
        }
开发者ID:bfallar3,项目名称:DDD-rebar-demo,代码行数:39,代码来源:StaticFile.cs


示例18: InsertCache

 /// <summary>
 /// 添加缓存
 /// </summary>
 /// <param name="value">缓存值</param>
 /// <param name="cacheKey">缓存键</param>
 /// <param name="dependency">缓存依赖项(sql表依赖 请使用 SqlCacheDependency )</param>
 public static void InsertCache(object value, string cacheKey, CacheDependency dependency)
 {
     if (GetCache(cacheKey) == null)
     {
         HttpRuntime.Cache.Insert(cacheKey, value);
     }
 }
开发者ID:imgd,项目名称:WCFFrameV1.0,代码行数:13,代码来源:CacheHelper.cs


示例19: CacheEntry

		internal CacheEntry (Cache objManager, string strKey, object objItem,CacheDependency objDependency,
				CacheItemRemovedCallback eventRemove, DateTime dtExpires, TimeSpan tsSpan,
				long longMinHits, bool boolPublic, CacheItemPriority enumPriority )
		{
			if (boolPublic)
				_enumFlags |= Flags.Public;

			_strKey = strKey;
			_objItem = objItem;
			_objCache = objManager;
			_onRemoved += eventRemove;
			_enumPriority = enumPriority;
			_ticksExpires = dtExpires.ToUniversalTime ().Ticks;
			_ticksSlidingExpiration = tsSpan.Ticks;

			// If we have a sliding expiration it overrides the absolute expiration (MS behavior)
			// This is because sliding expiration causes the absolute expiration to be 
			// moved after each period, and the absolute expiration is the value used 
			// for all expiration calculations.
			if (tsSpan.Ticks != Cache.NoSlidingExpiration.Ticks)
				_ticksExpires = DateTime.UtcNow.AddTicks (_ticksSlidingExpiration).Ticks;
			
			_objDependency = objDependency;
			if (_objDependency != null)
				// Add the entry to the cache dependency handler (we support multiple entries per handler)
				_objDependency.Changed += new CacheDependencyChangedHandler (OnChanged); 

			_longMinHits = longMinHits;
		}
开发者ID:jjenki11,项目名称:blaze-chem-rendering,代码行数:29,代码来源:CacheEntry.cs


示例20: RenderFileWithVersion

        static IHtmlString RenderFileWithVersion(HtmlHelper html, string fileName,string fileWrap)
        {
            //if (fileName.StartsWith("~"))
            //{
            //    var area =(string) html.ViewContext.RouteData.DataTokens["area"];
            //    if (area.IsNotNull())
            //        fileName = fileName.Replace("~", "/Areas/" + area);

            //}

            string mcvscript = string.Empty;
            if (fileName.IndexOf('?') > 0)
            {
                mcvscript = string.Format(JsFileWrap, fileName);
            }
            else
            {
                var filewithverison = HttpRuntime.Cache[fileName];
                if (filewithverison == null)
                {
                    var filePath = PathHelper.MapPath(fileName);
                    var version = new FileInfo(filePath).LastWriteTime.ToString("yyyyMMddHHmmss");
                    filewithverison = fileName + "?" + version;
                    CacheDependency cdy = new CacheDependency(filePath);
                    HttpRuntime.Cache.Insert(fileName, filewithverison, cdy);

                }
                mcvscript = string.Format(fileWrap, filewithverison);
            }

            return html.Raw(mcvscript);
        }
开发者ID:alittletired,项目名称:SolutionPlatform,代码行数:32,代码来源:JavascriptExtensions.cs



注:本文中的System.Web.Caching.CacheDependency类示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
C# Compilation.AssemblyBuilder类代码示例发布时间:2022-05-26
下一篇:
C# Caching.Cache类代码示例发布时间:2022-05-26
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap