1.属性列表序列化

2.模型对象归档

3.嵌入式SQLite3

4.Core Data

5.应用程序设置

6.UIDocument管理文档存储

7.iCloud

Demo界面:

1.属性列表序列化

即从porperty list中直接读写plist对象(NSString, NSData, NSArray, or NSDictionary objects),其中容器对象中的实例亦要为plist对象。

根视图控制器:

 #define kFilename @"data.plist"

 - (void)viewDidLoad
{
[super viewDidLoad];
NSString *path=[self dataFilePath]; //获取document下的指定文件路径
NSLog(@"%@",path);
if([[NSFileManager defaultManager] fileExistsAtPath:path])
{
NSArray *array=[[NSArray alloc] initWithContentsOfFile:path];
self.field1.text=[array objectAtIndex:];
self.field2.text=[array objectAtIndex:];
self.field3.text=[array objectAtIndex:];
self.field4.text=[array objectAtIndex:];
} UIApplication *app =[UIApplication sharedApplication];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(applicationWillResignActive:) name:UIApplicationWillResignActiveNotification object:app];
} -(NSString *)dataFilePath
{
NSArray *paths=NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory=[paths objectAtIndex:];
return [documentsDirectory stringByAppendingPathComponent:kFilename];
} -(void)applicationWillResignActive:(NSNotification *)notification;
{
NSMutableArray *array=[[NSMutableArray alloc] init];
[array addObject:field1.text];
[array addObject:field2.text];
[array addObject:field3.text];
[array addObject:field4.text];
[array writeToFile:[self dataFilePath] atomically:YES]; //没有则自动创建文件,和c中的fopen("","w")一样,先清空内容再写入。
//所以没有判断是否文件存在。
}

沙盒中的Documents文件夹有生成data.plist,且用xml协议保存了数据。

 
 

2.模型对象归档

NSString、NSArray、NSData、NSDictionary都实现了NSCoding协议,可直接通过调用writeToFile归档。

但如果想保持对象类型的数据,则需要到该方法灵活实现。首先可将需归档的对象先实现NSCoding协议,重写encodeWithCode方法和initWithCode方法,然后通过NSKeyedArchiver转换为NSData,然后通过NSData的writeToFile方法写入到文件,或者将转换后的NSData放入到NSArray或NSDictionary中调用writeToFile写入到文件便可实现包装了自定义类型的数据和字典的归档;

通过NSKeyedUnarchiver读取归档文件到对象,或者通过NSArray的arrrayWithContentsOfFile或NSDictionary的dictionaryWithContentsOfFile到数组对象或字典,然后取出序列化过的自定义对象(即自定义对象的NSData形式),然后通过NSKeyedUnarchiver反归档到对象。

根视图控制器:
#define kFilename @"archive"
#define kDataKey @"Data"
-(NSString *)dataFilePath
{
NSArray *paths=NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory=[paths objectAtIndex:]; return [documentsDirectory stringByAppendingPathComponent:kFilename];
} - (void)viewDidLoad
{
[super viewDidLoad];
if ([[NSFileManager defaultManager] fileExistsAtPath:[self dataFilePath]])
{
NSMutableData *data=[[NSMutableData alloc] initWithContentsOfFile:[self dataFilePath]];
NSKeyedUnarchiver *unarchiver=[[NSKeyedUnarchiver alloc] initForReadingWithData:data];
BIDFourLines *fourlines=[unarchiver decodeObjectForKey:kDataKey];
[unarchiver finishDecoding];
field1.text=fourlines.field1;
field2.text=fourlines.field2;
field3.text=fourlines.field3;
field4.text=fourlines.field4;
} UIApplication *app =[UIApplication sharedApplication];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(applicationWillResignActive:) name:UIApplicationWillResignActiveNotification object:app];
} -(void)applicationWillResignActive:(NSNotification *)notification;
{
BIDFourLines *fourlines=[[BIDFourLines alloc] init];
fourlines.field1=field1.text;
fourlines.field2=field2.text;
fourlines.field3=field3.text;
fourlines.field4=field4.text;
NSMutableData *data=[[NSMutableData alloc] init];
NSKeyedArchiver *archiver=[[NSKeyedArchiver alloc] initForWritingWithMutableData:data];//将archiver在收到编码后数据自动转为二进制写到data
[archiver encodeObject:fourlines forKey:kDataKey];//以Data为键编码
[archiver finishEncoding];
[data writeToFile:[self dataFilePath] atomically:YES]; //将data写入Documents中的archiver中。 }

/*

writeToFile:

这方法其实是写到plist文件(生成plist文件中的一个档)中的,根据官方文档描述If the array’s contents are all property list objects (NSString, NSData, NSArray, or NSDictionary objects), the file written by this method can be used to initialize a new array with the class method arrayWithContentsOfFile: or the instance method initWithContentsOfFile:. This method recursively validates that all the contained objects are property list objects before writing out the file, and returns NO if all the objects are not property list objects, since the resultant file would not be a valid property list.

*/

模型对象:
 #pragma mark NSCoding
-(void)encodeWithCoder:(NSCoder *)aCoder
{
[aCoder encodeObject:field1 forKey:kField1Key];
[aCoder encodeObject:field2 forKey:kField2Key];
[aCoder encodeObject:field3 forKey:kField3Key];
[aCoder encodeObject:field4 forKey:kField4Key];
} -(id)initWithCoder:(NSCoder *)aDecoder
{
if(self=[super init])
{
self.field1=[aDecoder decodeObjectForKey:kField1Key];
self.field2=[aDecoder decodeObjectForKey:kField2Key];
self.field3=[aDecoder decodeObjectForKey:kField3Key];
self.field4=[aDecoder decodeObjectForKey:kField4Key];
}
return self;
} #pragma mark NSCopying
-(id)copyWithZone:(NSZone *)zone
{
BIDFourLines *copy=[[[self class] allocWithZone:zone] init];
copy.field1=[self.field1 copyWithZone:zone];
copy.field2=[self.field2 copyWithZone:zone];
copy.field3=[self.field3 copyWithZone:zone];
copy.field4=[self.field4 copyWithZone:zone]; return copy;
}

沙盒中的Documents文件夹生成archiver文件(无扩展名,加上.plist扩展名即可查看编码后保存的数据内容)。

 
 

3.嵌入式SQLite3

需要先导入sqlite3 的 api 或 framework。
 
 #define kFilename @"data.sqlite3"

 - (void)viewDidLoad
{
[super viewDidLoad];
sqlite3 *database;
if(sqlite3_open([[self dataFilePath] UTF8String], &database)!=SQLITE_OK)
{
sqlite3_close(database);
NSAssert(, @"Failed to open database");
} NSString *createSQL=@"CREATE TABLE IF NOT EXISTS FIELDS"
"(ROW INTEGER PRIMARY KEY , FIELD_DATA TEXT);";
char *errorMsg;
if(sqlite3_exec(database, [createSQL UTF8String], NULL, NULL, &errorMsg)!=SQLITE_OK)
{
sqlite3_close(database);
NSAssert(, @"Error creating table: %s",errorMsg);
}
NSString *query=@"SELECT ROW, FIELD_DATA FROM FIELDS ORDER BY ROW";
sqlite3_stmt *statement;
if(sqlite3_prepare_v2(database, [query UTF8String], -, &statement, nil)==SQLITE_OK)
{
while (sqlite3_step(statement)==SQLITE_ROW) //移动位置指针
{
int row=sqlite3_column_int(statement,);
char *rowData=(char *)sqlite3_column_text(statement, ); NSString *fieldName=[[NSString alloc] initWithFormat:@"field%d",row];
NSString *fieldValue=[[NSString alloc] initWithUTF8String:rowData];
UITextField *field=[self valueForKey:fieldName];
field.text=fieldValue;
}
sqlite3_finalize(statement);
}
sqlite3_close(database); UIApplication *app =[UIApplication sharedApplication];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(applicationWillResignActive:) name:UIApplicationWillResignActiveNotification object:app];
} -(void)applicationWillResignActive:(NSNotification *)notification;
{
sqlite3 *database;
if(sqlite3_open([[self dataFilePath] UTF8String], &database)!=SQLITE_OK)
{
sqlite3_close(database);
NSAssert(, @"Failed to open database");
} for (int i=; i<=; i++) {
NSString *fieldName=[[NSString alloc] initWithFormat:@"field%d",i];
UITextField *field=[self valueForKey:fieldName]; char *updata="INSERT OR REPLACE INTO FIELDS (ROW, FIELD_DATA) VALUES(? , ?);";
sqlite3_stmt *stmt;
if (sqlite3_prepare_v2(database, updata, -, &stmt, nil)==SQLITE_OK) {
sqlite3_bind_int(stmt, , i);
sqlite3_bind_text(stmt, , [field.text UTF8String],-,NULL);
}
if(sqlite3_step(stmt)!=SQLITE_DONE)
{
NSAssert(,@"Error updating table.");
}
sqlite3_finalize(stmt);
}
sqlite3_close(database);
}

沙盒中的Documents文件夹生成data.sqlite3文件(未知直读方法)。

 
 

4.Core Data

创建项目时选空模板才有use core data (ORM对象关系映射)选项 选择。之后再配置xcdatamodel和根视图。
xcdatamodel配置:

根视图控制器:
 - (void)viewDidLoad
{
[super viewDidLoad];
// Do any additional setup after loading the view from its nib. BIDAppDelegate *appDelegate=[[UIApplication sharedApplication] delegate];
NSManagedObjectContext *context=[appDelegate managedObjectContext];
NSEntityDescription *entityDecription=[NSEntityDescription entityForName:@"Line" inManagedObjectContext:context];//关联实体与上下文
NSFetchRequest *request=[[NSFetchRequest alloc] init];
[request setEntity:entityDecription];//设置抓取实体
NSError *error;
/*因为要抓取实体中的所有项,所以没有设置抓取属性*/
NSArray *objects=[context executeFetchRequest:request error:&error];//从实体中抓取到上下文,且上下文进行跟踪对象
if(objects==nil)
NSLog(@"There was an error!");
for (NSManagedObject *object in objects)
{
NSNumber *lineNum=[object valueForKey:@"lineNum"]; //读取抓取出的第n个对象的lineNum属性
NSString *lineText=[object valueForKey:@"lineText"]; NSString *fieldname=[[NSString alloc] initWithFormat: @"line%d",[lineNum integerValue]];
UITextField *field=[self valueForKey:fieldname];
field.text=lineText;
} UIApplication *app=[UIApplication sharedApplication];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(applicationWillResignActive:) name:UIApplicationWillResignActiveNotification object:app];
} -(void)applicationWillResignActive:(NSNotification *)notification
{
BIDAppDelegate *appDelegate=[[UIApplication sharedApplication] delegate];
NSManagedObjectContext *context=[appDelegate managedObjectContext];
NSError *error; for (int i=; i<=; i++) {
NSString *fieldname=[[NSString alloc] initWithFormat:@"line%d",i];
UITextField *field=[self valueForKey:fieldname]; NSFetchRequest *request=[[NSFetchRequest alloc] init]; NSEntityDescription *entityDescritption=[NSEntityDescription entityForName:@"Line" inManagedObjectContext:context];
[request setEntity:entityDescritption]; NSPredicate *predicate=[NSPredicate predicateWithFormat:@"(lineNum=%d)",i];
[request setPredicate:predicate]; NSArray *objects=[context executeFetchRequest:request error:&error];//抓取上下文中的托管对象集
NSManagedObject *theLine=nil; if(objects==nil)
NSLog(@"There was an error!");
if([objects count]>)
{
/*因设置了抓取属性,每次按抓取属性在实体抓取的上下文中的托管对象集里都只有一个对应的托管对象(在此例对应抓取属性的只有一个)*/
theLine=[objects objectAtIndex:];//取托管对象
}
else
{
/*在实体中插入新的托管对象,且返回该对象和放入上下文中跟踪*/
theLine=[NSEntityDescription insertNewObjectForEntityForName:@"Line" inManagedObjectContext:context];
}
[theLine setValue:[NSNumber numberWithInt:i] forKey:@"lineNum"];
[theLine setValue:field.text forKey:@"lineText"];
}
[context save:&error];//跟踪结束,保存进实体
}

应用程序委托:

 - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
self.window = [[UIWindow alloc] initWithFrame:[[UIScreen mainScreen] bounds]];
// Override point for customization after application launch.
self.rootcontroller=[[BIDViewController alloc] initWithNibName:@"BIDViewController" bundle:nil];
UIView *rootView=self.rootcontroller.view;
CGRect viewFrame=rootView.frame;
viewFrame.origin.y+=[UIApplication sharedApplication].statusBarFrame.size.height;
rootView.frame=viewFrame;
[self.window addSubview:rootView];
self.window.backgroundColor = [UIColor whiteColor];
[self.window makeKeyAndVisible];
return YES;
}

沙盒中的Documents文件夹生成Core_Data_Persistence.sqlite文件(未知直读方法)。

 
 

其它例子

5.应用程序设置(UserDefault)

程序使用该方法保持的数据,可在iphone的settings中查看和设置。

添加setting.bundle,在root.plist中配置好要保存的数据项和settings中显示的分组界面。

应用程序委托:
 - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
// Override point for customization after application launch.
NSDictionary *defaults=[NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithBool:YES],kWarpDriveKey,[NSNumber numberWithInt:],kWarpFactorKey,@"Greed",kFavoriteSinKey, nil];
[[NSUserDefaults standardUserDefaults] registerDefaults:defaults];
return YES;
}//第一次运行程序时,对设置束赋默认初值。

视图控制器:

     NSUserDefaults *defaults=[NSUserDefaults standardUserDefaults];
usernameLabel.text=[defaults objectForKey:kUsernameKey];
//读取方法,利用NSUserDefaults的单例方法。键值为设置束中的每项的Identifier。 NSUserDefaults *defaults=[NSUserDefaults standardUserDefaults];
[defaults setBool:engineSwitch.on forKey:kWarpDriveKey];
//保存方法
在Settings中可设置应用程序,在应用程序中亦可设置反馈给Settings。Documents文件夹中没有生成数据保存文件。
 
 

6.UIDocument管理文档存储

模型类:
先建立作为UIDocument子类的数据模型类,在类里实现以下UIDocument方法和其它模型方法
 -(id)contentsForType:(NSString *)typeName error:(NSError *__autoreleasing *)outError
{
NSLog(@"saving document to URL %@",self.fileURL);//输出保存的路径
return [bitmap copy];//bitmap为保存的mutabledata数据
}//保存 -(BOOL)loadFromContents:(id)contents ofType:(NSString *)typeName error:(NSError *__autoreleasing *)outError
{
NSLog(@"loading document from URL %@",self.fileURL);
self.bitmap =[contents copy];
return true;
}//加载

控制器:

读取文档路径集
 NSArray *paths=NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *path=[paths objectAtIndex:];
NSFileManager *fm=[NSFileManager defaultManager];
NSError *dirError;
NSArray *files=[fm contentsOfDirectoryAtPath:path error:&dirError];
//数组内排序
self.documentFileNames=files;

读取文档URL路径

 -(NSURL *)urlForFilename:(NSString *)filename
{
NSArray *paths=NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentDirectory=[paths objectAtIndex:];
NSString *filePath=[documentDirectory stringByAppendingPathComponent:filename];
NSURL *url=[NSURL fileURLWithPath:filePath];
return url;

创建文档,并设置保存

         NSString *filename=[NSString stringWithFormat:@"%@.tinypix",[alertView textFieldAtIndex:].text];
NSURL *saveUrl=[self urlForFilename:filename];
self.chooseDocument=[[BIDTinyPixDocument alloc] initWithFileURL:saveUrl];//创建UIDocument子类实例对象
[chooseDocument saveToURL:saveUrl forSaveOperation:UIDocumentSaveForCreating completionHandler:^(BOOL success) {
if(success)
{
NSLog(@"save OK");
//addition
}
else
NSLog(@"failed to save!");
}];

打开文档

         self.chooseDocument=[[BIDTinyPixDocument alloc] initWithFileURL:docUrl];
[self.chooseDocument openWithCompletionHandler:^(BOOL success) {
if(success)
{
NSLog(@"load OK");
//addition
}
else
NSLog(@"failed to load!");
}];

关闭文档(保持编辑数据)

 UIDocument *doc=self.chooseDocument;
[doc closeWithCompletionHandler:nil];

沙盒中的Documents文件夹生成filename.tinypix文件。

 
 

7.iCloud

首先设置好provisioning profile和Entitlements部分,获取icloud的权限。
控制器:
查询icloud中指定扩展名的文档路径集,得到路径后保存方法和文档保存方法一致。
 -(void)reloadFiles
{
NSFileManager *fileManager=[NSFileManager defaultManager];
NSURL *cloudURL=[fileManager URLForUbiquityContainerIdentifier:nil];
NSLog(@"got cloudURL %@",cloudURL); self.query=[[NSMetadataQuery alloc] init]; query.predicate=[NSPredicate predicateWithFormat:@"%K like '*.tinypix'",NSMetadataItemFSNameKey];
query.searchScopes=[NSArray arrayWithObject:NSMetadataQueryUbiquitousDocumentsScope]; [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(updateUbiquitousDocuments:) name:NSMetadataQueryDidFinishGatheringNotification object:nil];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(updateUbiquitousDocuments:) name:NSMetadataQueryDidUpdateNotification object:nil]; [query startQuery];
} -(void)updateUbiquitousDocuments:(NSNotification *)notification
{
self.documentURLs=[NSMutableArray array];
self.documentFileNames=[NSMutableArray array];
NSLog(@"updateUbiquitousDocuments, results= %@",self.query.results); NSArray *results=[self.query.results sortedArrayUsingComparator:^NSComparisonResult(id obj1, id obj2) {
NSMetadataItem *item1=obj1;
NSMetadataItem *item2=obj2;
return [[item2 valueForAttribute:NSMetadataItemFSCreationDateKey] compare:[item1 valueForAttribute:NSMetadataItemFSCreationDateKey]];
}]; for(NSMetadataItem *item in results)
{
NSURL *url=[item valueForAttribute:NSMetadataItemURLKey];
[self.documentURLs addObject:url];
[(NSMutableArray *)documentFileNames addObject:[url lastPathComponent]];
}
[self.tableView reloadData];
} -(NSURL *)urlForFilename:(NSString *)filename
{
NSURL *baseURL=[[NSFileManager defaultManager] URLForUbiquityContainerIdentifier:nil];
NSURL *pathURL=[baseURL URLByAppendingPathComponent:@"Documents"];
NSURL *destinationURL=[pathURL URLByAppendingPathComponent:filename];
return destinationURL;
}

icloud上读写首选项

     NSUbiquitousKeyValueStore *prefs=[NSUbiquitousKeyValueStore defaultStore];
[prefs setLongLong:selectedColorIndex forKey:@"selectedColorIndex"];
self.selectedColorIndex=[prefs longLongForKey:@"selectedColorIndex"];

(IOS)数据持久化的更多相关文章

  1. iOS 数据持久化(扩展知识:模糊背景效果和密码保护功能)

    本篇随笔除了介绍 iOS 数据持久化知识之外,还贯穿了以下内容: (1)自定义 TableView,结合 block 从 ViewController 中分离出 View,轻 ViewControll ...

  2. iOS开发笔记-swift实现iOS数据持久化之归档NSKeyedArchiver

    IOS数据持久化的方式分为三种: 属性列表 (plist.NSUserDefaults) 归档 (NSKeyedArchiver) 数据库 (SQLite.Core Data.第三方类库等 归档(又名 ...

  3. IOS数据持久化之归档NSKeyedArchiver

    IOS数据持久化的方式分为三种: 属性列表 (自定义的Property List .NSUserDefaults) 归档 (NSKeyedArchiver) 数据库 (SQLite.Core Data ...

  4. iOS -数据持久化方式-以真实项目讲解

    前面已经讲解了SQLite,FMDB以及CoreData的基本操作和代码讲解(CoreData也在不断学习中,上篇博客也会不断更新中).本篇我们将讲述在实际开发中,所使用的iOS数据持久化的方式以及怎 ...

  5. iOS数据持久化方式及class_copyIvarList与class_copyPropertyList的区别

    iOS数据持久化方式:plist文件(属性列表)preference(偏好设置)NSKeyedArchiver(归档)SQLite3CoreData沙盒:iOS程序默认情况下只能访问自己的程序目录,这 ...

  6. iOS数据持久化-OC

    沙盒详解 1.IOS沙盒机制 IOS应用程序只能在为该改程序创建的文件系统中读取文件,不可以去其它地方访问,此区域被成为沙盒,所以所有的非代码文件都要保存在此,例如图像,图标,声音,映像,属性列表,文 ...

  7. iOS数据持久化

    在iOS中,实现数据持久化一般分为4大种: 1.属性列表 2.对象归档 3.SQLite 4.Core Data 一.属性列表 NSUserDefaults类的使用和NSKeyedArchiver有很 ...

  8. iOS数据持久化存储:归档

    在平时的iOS开发中,我们经常用到的数据持久化存储方式大概主要有:NSUserDefaults(plist),文件,数据库,归档..前三种比较经常用到,第四种归档我个人感觉用的还是比较少的,恰恰因为用 ...

  9. 转载 -- iOS数据持久化存储

    作者:@翁呀伟呀 授权本站转载 概论 所谓的持久化,就是将数据保存到硬盘中,使得在应用程序或机器重启后可以继续访问之前保存的数据.在iOS开发中,有很多数据持久化的方案,接下来我将尝试着介绍一下5种方 ...

  10. iOS 数据持久化(1):属性列表与对象归档

    @import url(http://i.cnblogs.com/Load.ashx?type=style&file=SyntaxHighlighter.css); @import url(/ ...

随机推荐

  1. Nitrous.IO融资665万美元 帮助开发者省去配置调试等工作-CSDN.NET

    Intro to Computer Science Class Online (CS101) - Udacity Building a Search Engine Nitrous.IO融资665万美元 ...

  2. ubuntu12.04&15.04 安装lamp(12.04为主)

    ubuntu 12.04&15.04下安装lamp环境 注意:如果是ubuntu15.04下,apache2.4.10的话,直接在/etc/apache2/apache2.conf文件的后边直 ...

  3. JavaScipt实现倒计时方法总结

    JavaScript中提供了两种实现计时.延时的方法,分别如下: 一. t = setTimeout(“function()", millisecond) 与 clearTimeout(t) ...

  4. js发送post请求下载文件

    大家都知道ajax是不能直接下载文件的,所以一般都是通过一个超链接的形式去下载一个文件 但是当牵扯到需要发送很多数据到服务器上再下载的时候超链接的形式就有些太过勉强了 如下是一个工具方法(依赖jque ...

  5. sharepoint 自定义字段实现省市联动

    最后实现效果如下:设置栏如下:解决方案结构如下: fldtypes_RoyCustomField.xml 内容如下: <?xml version="1.0" encoding ...

  6. C# Best Practices - Define Proper Classes

    Application Architecture Define the components appropriately for the application and create project ...

  7. 微信公众号token验证失败的一些总结

    这几天准备弄一个微信公众号,在进行服务器配置的时候出现总是出现token验证失败的报错. 实际上,这个问题很好解决.既然微信平台没有给我们很明确的报错提示,那么我们就可以通过跟踪获取到的请求参数进行分 ...

  8. ASP.NET MVC进阶之路:深入理解依赖注入(DI)和控制反转(IOC)

    0X1 什么是依赖注入 依赖注入(Dependency Injection),是这样一个过程:某客户类只依赖于服务类的一个接口,而不依赖于具体服务类,所以客户类只定义一个注入点.在程序运行过程中,客户 ...

  9. HDU 2501 Tiling_easy version

    递推式:f[n]=2*f[n-2]+f[n-1] #include <cstdio> #include <iostream> using namespace std; ]; i ...

  10. 转载Spring IntrospectorCleanupListener

    "在服务器运行过程中,Spring不停的运行的计划任务和OpenSessionInViewFilter,使得Tomcat反复加载对象而产生框架并用时可能产生的内存泄漏,则使用Introspe ...