code
stringlengths
1
2.01M
repo_name
stringlengths
3
62
path
stringlengths
1
267
language
stringclasses
231 values
license
stringclasses
13 values
size
int64
1
2.01M
// // main.m // SimpleHTTPClient // // Created by Robbie Hanson on 7/5/11. // Copyright 2011 __MyCompanyName__. All rights reserved. // #import <Cocoa/Cocoa.h> int main(int argc, char *argv[]) { return NSApplicationMain(argc, (const char **)argv); }
zzymoon-cocoaasyncsocket
GCD/Xcode/SimpleHTTPClient/Desktop/SimpleHTTPClient/main.m
Objective-C
oos
257
#import <Cocoa/Cocoa.h> @class GCDAsyncSocket; @interface SimpleHTTPClientAppDelegate : NSObject <NSApplicationDelegate> { @private GCDAsyncSocket *asyncSocket; NSWindow *window; } @property (assign) IBOutlet NSWindow *window; @end
zzymoon-cocoaasyncsocket
GCD/Xcode/SimpleHTTPClient/Desktop/SimpleHTTPClient/SimpleHTTPClientAppDelegate.h
Objective-C
oos
241
#import <Cocoa/Cocoa.h> @class GCDAsyncSocket; @interface CertTestAppDelegate : NSObject <NSApplicationDelegate> { GCDAsyncSocket *asyncSocket; NSWindow *window; } @property (assign) IBOutlet NSWindow *window; - (IBAction)printCert:(id)sender; @end
zzymoon-cocoaasyncsocket
GCD/Xcode/CertTest/CertTestAppDelegate.h
Objective-C
oos
257
// // X509Certificate.m // // This class is in the public domain. // Originally created by Robbie Hanson on Mon Jan 26 2009. // Updated and maintained by Deusty Designs and the Mac development community. // // http://code.google.com/p/cocoaasyncsocket/ // // This class is largely derived from Apple's sample code project: SSLSample. // This class does not extract every bit of available information, just the most common fields. #import "X509Certificate.h" #import "GCDAsyncSocket.h" #import <Security/Security.h> #define UTC_TIME_STRLEN 13 #define GENERALIZED_TIME_STRLEN 15 @implementation X509Certificate // Standard app-level memory functions required by CDSA static void * appMalloc (uint32 size, void *allocRef) { return malloc(size); } static void * appCalloc(uint32 num, uint32 size, void *allocRef) { return calloc(num, size); } static void * appRealloc (void *ptr, uint32 size, void *allocRef) { return realloc(ptr, size); } static void appFree (void *mem_ptr, void *allocRef) { free(mem_ptr); } static const CSSM_API_MEMORY_FUNCS memFuncs = { (CSSM_MALLOC)appMalloc, (CSSM_FREE)appFree, (CSSM_REALLOC)appRealloc, (CSSM_CALLOC)appCalloc, NULL }; static const CSSM_VERSION vers = {2, 0}; static const CSSM_GUID testGuid = { 0xFADE, 0, 0, { 1,2,3,4,5,6,7,0 }}; static BOOL CSSMStartup() { CSSM_RETURN crtn; CSSM_PVC_MODE pvcPolicy = CSSM_PVC_NONE; crtn = CSSM_Init (&vers, CSSM_PRIVILEGE_SCOPE_NONE, &testGuid, CSSM_KEY_HIERARCHY_NONE, &pvcPolicy, NULL /* reserved */); if(crtn != CSSM_OK) { cssmPerror("CSSM_Init", crtn); return NO; } else { return YES; } } static CSSM_CL_HANDLE CLStartup() { CSSM_CL_HANDLE clHandle; CSSM_RETURN crtn; if(CSSMStartup() == NO) { return 0; } crtn = CSSM_ModuleLoad(&gGuidAppleX509CL, CSSM_KEY_HIERARCHY_NONE, NULL, // eventHandler NULL); // AppNotifyCallbackCtx if(crtn != CSSM_OK) { cssmPerror("CSSM_ModuleLoad", crtn); return 0; } crtn = CSSM_ModuleAttach (&gGuidAppleX509CL, &vers, &memFuncs, // memFuncs 0, // SubserviceID CSSM_SERVICE_CL, // SubserviceFlags - Where is this used? 0, // AttachFlags CSSM_KEY_HIERARCHY_NONE, NULL, // FunctionTable 0, // NumFuncTable NULL, // reserved &clHandle); if(crtn != CSSM_OK) { cssmPerror("CSSM_ModuleAttach", crtn); return 0; } return clHandle; } static void CLShutdown(CSSM_CL_HANDLE clHandle) { CSSM_RETURN crtn; crtn = CSSM_ModuleDetach(clHandle); if(crtn != CSSM_OK) { cssmPerror("CSSM_ModuleDetach", crtn); } crtn = CSSM_ModuleUnload(&gGuidAppleX509CL, NULL, NULL); if(crtn != CSSM_OK) { cssmPerror("CSSM_ModuleUnload", crtn); } } static BOOL CompareCSSMData(const CSSM_DATA *d1, const CSSM_DATA *d2) { if(d1 == NULL || d2 == NULL) { return NO; } if(d1->Length != d2->Length) { return NO; } return memcmp(d1->Data, d2->Data, d1->Length) == 0; } static BOOL CompareOids(const CSSM_OID *oid1, const CSSM_OID *oid2) { if(oid1 == NULL || oid2 == NULL) { return NO; } if(oid1->Length != oid2->Length) { return NO; } return memcmp(oid1->Data, oid2->Data, oid1->Length) == 0; } static NSString* KeyForOid(const CSSM_OID *oid) { if(CompareOids(oid, &CSSMOID_CountryName)) { return X509_COUNTRY; } if(CompareOids(oid, &CSSMOID_OrganizationName)) { return X509_ORGANIZATION; } if(CompareOids(oid, &CSSMOID_LocalityName)) { return X509_LOCALITY; } if(CompareOids(oid, &CSSMOID_OrganizationalUnitName)) { return X509_ORANIZATIONAL_UNIT; } if(CompareOids(oid, &CSSMOID_CommonName)) { return X509_COMMON_NAME; } if(CompareOids(oid, &CSSMOID_Surname)) { return X509_SURNAME; } if(CompareOids(oid, &CSSMOID_Title)) { return X509_TITLE; } if(CompareOids(oid, &CSSMOID_StateProvinceName)) { return X509_STATE_PROVINCE; } if(CompareOids(oid, &CSSMOID_CollectiveStateProvinceName)) { return X509_COLLECTIVE_STATE_PROVINCE; } if(CompareOids(oid, &CSSMOID_EmailAddress)) { return X509_EMAIL_ADDRESS; } if(CompareOids(oid, &CSSMOID_StreetAddress)) { return X509_STREET_ADDRESS; } if(CompareOids(oid, &CSSMOID_PostalCode)) { return X509_POSTAL_CODE; } // Not every possible Oid is checked for. // Feel free to add any you may need. // They are listed in the Security Framework's aoisattr.h file. return nil; } static NSString* DataToString(const CSSM_DATA *data, const CSSM_BER_TAG *type) { NSStringEncoding encoding; switch (*type) { case BER_TAG_PRINTABLE_STRING : case BER_TAG_TELETEX_STRING : encoding = NSISOLatin1StringEncoding; break; case BER_TAG_PKIX_BMP_STRING : case BER_TAG_PKIX_UNIVERSAL_STRING : case BER_TAG_PKIX_UTF8_STRING : encoding = NSUTF8StringEncoding; break; default : return nil; } NSString *result = [[NSString alloc] initWithBytes:data->Data length:data->Length encoding:encoding]; return [result autorelease]; } static NSDate* TimeToDate(const char *str, unsigned len) { BOOL isUTC; unsigned i; long year, month, day, hour, minute, second; // Check for null or empty strings if(str == NULL || len == 0) { return nil; } // Ignore NULL termination if(str[len - 1] == '\0') { len--; } // Check for proper string length if(len == UTC_TIME_STRLEN) { // 2-digit year, not Y2K compliant isUTC = YES; } else if(len == GENERALIZED_TIME_STRLEN) { // 4-digit year isUTC = NO; } else { // Unknown format return nil; } // Check that all characters except last are digits for(i = 0; i < (len - 1); i++) { if(!(isdigit(str[i]))) { return nil; } } // Check last character is a 'Z' if(str[len - 1] != 'Z' ) { return nil; } // Start parsing i = 0; char tmp[5]; // Year if(isUTC) { tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; year = strtol(tmp, NULL, 10); // 2-digit year: // 0 <= year < 50 : assume century 21 // 50 <= year < 70 : illegal per PKIX // 70 < year <= 99 : assume century 20 if(year < 50) { year += 2000; } else if(year < 70) { return nil; } else { year += 1900; } } else { tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = str[i++]; tmp[3] = str[i++]; tmp[4] = '\0'; year = strtol(tmp, NULL, 10); } // Month tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; month = strtol(tmp, NULL, 10); // Months are represented in format from 1 to 12 if(month > 12 || month <= 0) { return nil; } // Day tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; day = strtol(tmp, NULL, 10); // Days are represented in format from 1 to 31 if(day > 31 || day <= 0) { return nil; } // Hour tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; hour = strtol(tmp, NULL, 10); // Hours are represented in format from 0 to 23 if(hour > 23 || hour < 0) { return nil; } // Minute tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; minute = strtol(tmp, NULL, 10); // Minutes are represented in format from 0 to 59 if(minute > 59 || minute < 0) { return nil; } // Second tmp[0] = str[i++]; tmp[1] = str[i++]; tmp[2] = '\0'; second = strtol(tmp, NULL, 10); // Seconds are represented in format from 0 to 59 if(second > 59 || second < 0) { return nil; } CFGregorianDate gDate = { year, month, day, hour, minute, second }; CFAbsoluteTime aTime = CFGregorianDateGetAbsoluteTime(gDate, NULL); return [NSDate dateWithTimeIntervalSinceReferenceDate:aTime]; } static NSData* RawToData(const CSSM_DATA *data) { if(data == NULL) { return nil; } return [NSData dataWithBytes:data->Data length:data->Length]; } static NSDictionary* X509NameToDictionary(const CSSM_X509_NAME *x509Name) { if(x509Name == NULL) { return nil; } NSMutableDictionary *result = [NSMutableDictionary dictionaryWithCapacity:6]; NSMutableArray *others = [NSMutableArray arrayWithCapacity:6]; UInt32 i, j; for(i = 0; i < x509Name->numberOfRDNs; i++) { const CSSM_X509_RDN *name = &x509Name->RelativeDistinguishedName[i]; for(j = 0; j < name->numberOfPairs; j++) { const CSSM_X509_TYPE_VALUE_PAIR *pair = &name->AttributeTypeAndValue[j]; NSString *value = DataToString(&pair->value, &pair->valueType); if(value) { NSString *key = KeyForOid(&pair->type); if(key) [result setObject:value forKey:key]; else [others addObject:value]; } } } if([others count] > 0) { [result setObject:others forKey:X509_OTHERS]; } return result; } static void AddCSSMField(const CSSM_FIELD *field, NSMutableDictionary *dict) { const CSSM_DATA *fieldData = &field->FieldValue; const CSSM_OID *fieldOid = &field->FieldOid; if(CompareOids(fieldOid, &CSSMOID_X509V1SerialNumber)) { NSData *data = RawToData(fieldData); if(data) { [dict setObject:data forKey:X509_SERIAL_NUMBER]; } } else if(CompareOids(fieldOid, &CSSMOID_X509V1IssuerNameCStruct)) { CSSM_X509_NAME_PTR issuer = (CSSM_X509_NAME_PTR)fieldData->Data; if(issuer && fieldData->Length == sizeof(CSSM_X509_NAME)) { NSDictionary *issuerDict = X509NameToDictionary(issuer); if(issuerDict) { [dict setObject:issuerDict forKey:X509_ISSUER]; } } } else if(CompareOids(fieldOid, &CSSMOID_X509V1SubjectNameCStruct)) { CSSM_X509_NAME_PTR subject = (CSSM_X509_NAME_PTR)fieldData->Data; if(subject && fieldData->Length == sizeof(CSSM_X509_NAME)) { NSDictionary *subjectDict = X509NameToDictionary(subject); if(subjectDict) { [dict setObject:subjectDict forKey:X509_SUBJECT]; } } } else if(CompareOids(fieldOid, &CSSMOID_X509V1ValidityNotBefore)) { CSSM_X509_TIME_PTR theTime = (CSSM_X509_TIME_PTR)fieldData->Data; if(theTime && fieldData->Length == sizeof(CSSM_X509_TIME)) { NSDate *date = TimeToDate((const char *)theTime->time.Data, theTime->time.Length); if(date) { [dict setObject:date forKey:X509_NOT_VALID_BEFORE]; } } } else if(CompareOids(fieldOid, &CSSMOID_X509V1ValidityNotAfter)) { CSSM_X509_TIME_PTR theTime = (CSSM_X509_TIME_PTR)fieldData->Data; if(theTime && fieldData->Length == sizeof(CSSM_X509_TIME)) { NSDate *date = TimeToDate((const char *)theTime->time.Data, theTime->time.Length); if(date) { [dict setObject:date forKey:X509_NOT_VALID_AFTER]; } } } else if(CompareOids(fieldOid, &CSSMOID_X509V1SubjectPublicKeyCStruct)) { CSSM_X509_SUBJECT_PUBLIC_KEY_INFO_PTR pubKeyInfo = (CSSM_X509_SUBJECT_PUBLIC_KEY_INFO_PTR)fieldData->Data; if(pubKeyInfo && fieldData->Length == sizeof(CSSM_X509_SUBJECT_PUBLIC_KEY_INFO)) { NSData *data = RawToData(&pubKeyInfo->subjectPublicKey); if(data) { [dict setObject:data forKey:X509_PUBLIC_KEY]; } } } } + (NSDictionary *)extractCertDictFromSocket:(GCDAsyncSocket *)socket { if (socket == nil) { return nil; } __block NSDictionary *result = nil; #if TARGET_OS_IPHONE dispatch_block_t block = ^{ CFReadStreamRef readStream = [socket readStream]; if (readStream == NULL) return; CFArrayRef certs = CFReadStreamCopyProperty(readStream, kCFStreamPropertySSLPeerCertificates); if (certs && (CFArrayGetCount(certs) > 0)) { // The first cert in the chain is the subject cert SecCertificateRef cert = (SecCertificateRef)CFArrayGetValueAtIndex(certs, 0); NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; result = [[self extractCertDictFromCert:cert] retain]; [pool release]; } if(certs) CFRelease(certs); }; [socket performBlock:block]; #else dispatch_block_t block = ^{ SSLContextRef sslContext = [socket sslContext]; if (sslContext == NULL) return; CFArrayRef certs = NULL; OSStatus status = SSLCopyPeerCertificates(sslContext, &certs); if (status == noErr && certs && (CFArrayGetCount(certs) > 0)) { // The first cert in the chain is the subject cert SecCertificateRef cert = (SecCertificateRef)CFArrayGetValueAtIndex(certs, 0); NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; result = [[self extractCertDictFromCert:cert] retain]; [pool release]; } if(certs) CFRelease(certs); }; [socket performBlock:block]; #endif return [result autorelease]; } + (NSDictionary *)extractCertDictFromIdentity:(SecIdentityRef)identity { if(identity == NULL) { return nil; } NSDictionary *result = nil; SecCertificateRef cert = NULL; OSStatus err = SecIdentityCopyCertificate(identity, &cert); if(err) { cssmPerror("SecIdentityCopyCertificate", err); return nil; } else { result = [self extractCertDictFromCert:cert]; } if(cert) CFRelease(cert); return result; } + (NSDictionary *)extractCertDictFromCert:(SecCertificateRef)cert { CSSM_CL_HANDLE clHandle = CLStartup(); if(clHandle == 0) { return nil; } NSMutableDictionary *result = nil; CSSM_DATA certData; if(SecCertificateGetData(cert, &certData) == noErr) { uint32 i; uint32 numFields; CSSM_FIELD_PTR fieldPtr; CSSM_RETURN crtn = CSSM_CL_CertGetAllFields(clHandle, &certData, &numFields, &fieldPtr); if(crtn == CSSM_OK) { result = [NSMutableDictionary dictionaryWithCapacity:6]; for(i = 0; i < numFields; i++) { AddCSSMField(&fieldPtr[i], result); } CSSM_CL_FreeFields(clHandle, numFields, &fieldPtr); } } CLShutdown(clHandle); return result; } @end
zzymoon-cocoaasyncsocket
GCD/Xcode/CertTest/X509Certificate.m
Objective-C
oos
13,704
// // X509Certificate.h // // This class is in the public domain. // Originally created by Robbie Hanson on Mon Jan 26 2009. // Updated and maintained by Deusty Designs and the Mac development community. // // http://code.google.com/p/cocoaasyncsocket/ // // This class is largely derived from Apple's sample code project: SSLSample. // This class does not extract every bit of available information, just the most common fields. #import <Foundation/Foundation.h> @class GCDAsyncSocket; // Top Level Keys #define X509_ISSUER @"Issuer" #define X509_SUBJECT @"Subject" #define X509_NOT_VALID_BEFORE @"NotValidBefore" #define X509_NOT_VALID_AFTER @"NotValidAfter" #define X509_PUBLIC_KEY @"PublicKey" #define X509_SERIAL_NUMBER @"SerialNumber" // Keys For Issuer/Subject Dictionaries #define X509_COUNTRY @"Country" #define X509_ORGANIZATION @"Organization" #define X509_LOCALITY @"Locality" #define X509_ORANIZATIONAL_UNIT @"OrganizationalUnit" #define X509_COMMON_NAME @"CommonName" #define X509_SURNAME @"Surname" #define X509_TITLE @"Title" #define X509_STATE_PROVINCE @"StateProvince" #define X509_COLLECTIVE_STATE_PROVINCE @"CollectiveStateProvince" #define X509_EMAIL_ADDRESS @"EmailAddress" #define X509_STREET_ADDRESS @"StreetAddress" #define X509_POSTAL_CODE @"PostalCode" #define X509_OTHERS @"Others" @interface X509Certificate : NSObject + (NSDictionary *)extractCertDictFromSocket:(GCDAsyncSocket *)socket; + (NSDictionary *)extractCertDictFromIdentity:(SecIdentityRef)identity; + (NSDictionary *)extractCertDictFromCert:(SecCertificateRef)cert; @end
zzymoon-cocoaasyncsocket
GCD/Xcode/CertTest/X509Certificate.h
Objective-C
oos
1,855
#import "CertTestAppDelegate.h" #import "GCDAsyncSocket.h" #import "X509Certificate.h" #import "DDLog.h" #import "DDTTYLogger.h" // Debug levels: off, error, warn, info, verbose static const int ddLogLevel = LOG_LEVEL_INFO; @implementation CertTestAppDelegate @synthesize window; - (id)init { if ((self = [super init])) { // Setup our logging framework [DDLog addLogger:[DDTTYLogger sharedInstance]]; // Setup our socket (GCDAsyncSocket). // The socket will invoke our delegate methods using the usual delegate paradigm. // However, it will invoke the delegate methods on a specified GCD delegate dispatch queue. // // Now we can configure the delegate dispatch queue however we want. // We could use a dedicated dispatch queue for easy parallelization. // Or we could simply use the dispatch queue for the main thread. // // The best approach for your application will depend upon convenience, requirements and performance. // // For this simple example, we're just going to use the main thread. dispatch_queue_t mainQueue = dispatch_get_main_queue(); asyncSocket = [[GCDAsyncSocket alloc] initWithDelegate:self delegateQueue:mainQueue]; } return self; } - (void)applicationDidFinishLaunching:(NSNotification *)aNotification { DDLogInfo(@"Connecting..."); NSError *err = nil; if (![asyncSocket connectToHost:@"www.paypal.com" onPort:443 error:&err]) { DDLogError(@"Error: %@", err); } } - (void)socket:(GCDAsyncSocket *)sock didConnectToHost:(NSString *)host port:(UInt16)port { DDLogInfo(@"socket:%p didConnectToHost:%@ port:%hu", sock, host, port); // Configure SSL/TLS settings NSMutableDictionary *settings = [NSMutableDictionary dictionaryWithCapacity:3]; // If you simply want to ensure that the remote host's certificate is valid, // then you can use an empty dictionary. // If you know the name of the remote host, then you should specify the name here. // // NOTE: // You should understand the security implications if you do not specify the peer name. // Please see the documentation for the startTLS method in GCDAsyncSocket.h for a full discussion. [settings setObject:@"www.paypal.com" forKey:(NSString *)kCFStreamSSLPeerName]; // To connect to a test server, with a self-signed certificate, use settings similar to this: // // Allow expired certificates // [settings setObject:[NSNumber numberWithBool:YES] // forKey:(NSString *)kCFStreamSSLAllowsExpiredCertificates]; // // // Allow self-signed certificates // [settings setObject:[NSNumber numberWithBool:YES] // forKey:(NSString *)kCFStreamSSLAllowsAnyRoot]; // // // In fact, don't even validate the certificate chain // [settings setObject:[NSNumber numberWithBool:NO] // forKey:(NSString *)kCFStreamSSLValidatesCertificateChain]; DDLogVerbose(@"Starting TLS with settings:\n%@", settings); [sock startTLS:settings]; // You can also pass nil to the startTLS method, which is the same as passing an empty dictionary. // Again, you should understand the security implications of doing so. // Please see the documentation for the startTLS method in GCDAsyncSocket.h for a full discussion. } - (void)socketDidSecure:(GCDAsyncSocket *)sock { DDLogInfo(@"socketDidSecure:%p", sock); } - (void)socketDidDisconnect:(GCDAsyncSocket *)sock withError:(NSError *)err { DDLogInfo(@"socketDidDisconnect:%p withError:%@", sock, err); } - (IBAction)printCert:(id)sender { NSDictionary *cert = [X509Certificate extractCertDictFromSocket:asyncSocket]; NSLog(@"X509 Certificate: \n%@", cert); } @end
zzymoon-cocoaasyncsocket
GCD/Xcode/CertTest/CertTestAppDelegate.m
Objective-C
oos
3,624
// // main.m // CertTest // // Created by Robbie Hanson on 11/4/10. // Copyright 2010 __MyCompanyName__. All rights reserved. // #import <Cocoa/Cocoa.h> int main(int argc, char *argv[]) { return NSApplicationMain(argc, (const char **) argv); }
zzymoon-cocoaasyncsocket
GCD/Xcode/CertTest/main.m
Objective-C
oos
255
#import "BonjourClientAppDelegate.h" #import "GCDAsyncSocket.h" #import "DDLog.h" #import "DDTTYLogger.h" #import "DDASLLogger.h" // Log levels: off, error, warn, info, verbose static const int ddLogLevel = LOG_LEVEL_VERBOSE; @interface BonjourClientAppDelegate (Private) - (void)connectToNextAddress; @end #pragma mark - @implementation BonjourClientAppDelegate @synthesize window; - (void)applicationDidFinishLaunching:(NSNotification *)aNotification { // Configure logging framework [DDLog addLogger:[DDTTYLogger sharedInstance]]; [DDLog addLogger:[DDASLLogger sharedInstance]]; // Start browsing for bonjour services netServiceBrowser = [[NSNetServiceBrowser alloc] init]; [netServiceBrowser setDelegate:self]; [netServiceBrowser searchForServicesOfType:@"_YourServiceName._tcp." inDomain:@"local."]; } - (void)netServiceBrowser:(NSNetServiceBrowser *)sender didNotSearch:(NSDictionary *)errorInfo { DDLogError(@"DidNotSearch: %@", errorInfo); } - (void)netServiceBrowser:(NSNetServiceBrowser *)sender didFindService:(NSNetService *)netService moreComing:(BOOL)moreServicesComing { DDLogVerbose(@"DidFindService: %@", [netService name]); // Connect to the first service we find if (serverService == nil) { DDLogVerbose(@"Resolving..."); serverService = [netService retain]; [serverService setDelegate:self]; [serverService resolveWithTimeout:5.0]; } } - (void)netServiceBrowser:(NSNetServiceBrowser *)sender didRemoveService:(NSNetService *)netService moreComing:(BOOL)moreServicesComing { DDLogVerbose(@"DidRemoveService: %@", [netService name]); } - (void)netServiceBrowserDidStopSearch:(NSNetServiceBrowser *)sender { DDLogInfo(@"DidStopSearch"); } - (void)netService:(NSNetService *)sender didNotResolve:(NSDictionary *)errorDict { DDLogError(@"DidNotResolve"); } - (void)netServiceDidResolveAddress:(NSNetService *)sender { DDLogInfo(@"DidResolve: %@", [sender addresses]); if (serverAddresses == nil) { serverAddresses = [[sender addresses] mutableCopy]; } if (asyncSocket == nil) { asyncSocket = [[GCDAsyncSocket alloc] initWithDelegate:self delegateQueue:dispatch_get_main_queue()]; [self connectToNextAddress]; } } - (void)connectToNextAddress { BOOL done = NO; while (!done && ([serverAddresses count] > 0)) { NSData *addr; // Note: The serverAddresses array probably contains both IPv4 and IPv6 addresses. // // If your server is also using GCDAsyncSocket then you don't have to worry about it, // as the socket automatically handles both protocols for you transparently. if (YES) // Iterate forwards { addr = [[serverAddresses objectAtIndex:0] retain]; [serverAddresses removeObjectAtIndex:0]; } else // Iterate backwards { addr = [[serverAddresses lastObject] retain]; [serverAddresses removeLastObject]; } DDLogVerbose(@"Attempting connection to %@", addr); NSError *err = nil; if ([asyncSocket connectToAddress:addr error:&err]) { done = YES; } else { DDLogWarn(@"Unable to connect: %@", err); } [addr release]; } if (!done) { DDLogWarn(@"Unable to connect to any resolved address"); } } - (void)socket:(GCDAsyncSocket *)sock didConnectToHost:(NSString *)host port:(UInt16)port { DDLogInfo(@"Socket:DidConnectToHost: %@ Port: %hu", host, port); connected = YES; } - (void)socketDidDisconnect:(GCDAsyncSocket *)sock withError:(NSError *)err { DDLogWarn(@"SocketDidDisconnect:WithError: %@", err); if (!connected) { [self connectToNextAddress]; } } @end
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourClient/BonjourClientAppDelegate.m
Objective-C
oos
3,598
#import <Cocoa/Cocoa.h> @class GCDAsyncSocket; @interface BonjourClientAppDelegate : NSObject <NSApplicationDelegate, NSNetServiceBrowserDelegate, NSNetServiceDelegate> { NSNetServiceBrowser *netServiceBrowser; NSNetService *serverService; NSMutableArray *serverAddresses; GCDAsyncSocket *asyncSocket; BOOL connected; NSWindow *window; } @property (assign) IBOutlet NSWindow *window; @end
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourClient/BonjourClientAppDelegate.h
Objective-C
oos
402
// // main.m // BonjourClient // // Created by Robbie Hanson on 1/27/11. // Copyright 2011 Voalte. All rights reserved. // #import <Cocoa/Cocoa.h> int main(int argc, char *argv[]) { return NSApplicationMain(argc, (const char **) argv); }
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourClient/main.m
Objective-C
oos
249
#import "BonjourServerAppDelegate.h" #import "GCDAsyncSocket.h" #import "DDLog.h" #import "DDTTYLogger.h" #import "DDASLLogger.h" // Log levels: off, error, warn, info, verbose static const int ddLogLevel = LOG_LEVEL_VERBOSE; @implementation BonjourServerAppDelegate @synthesize window; - (void)applicationDidFinishLaunching:(NSNotification *)aNotification { // Configure logging framework [DDLog addLogger:[DDTTYLogger sharedInstance]]; [DDLog addLogger:[DDASLLogger sharedInstance]]; // Create our socket. // We tell it to invoke our delegate methods on the main thread. asyncSocket = [[GCDAsyncSocket alloc] initWithDelegate:self delegateQueue:dispatch_get_main_queue()]; // Create an array to hold accepted incoming connections. connectedSockets = [[NSMutableArray alloc] init]; // Now we tell the socket to accept incoming connections. // We don't care what port it listens on, so we pass zero for the port number. // This allows the operating system to automatically assign us an available port. NSError *err = nil; if ([asyncSocket acceptOnPort:0 error:&err]) { // So what port did the OS give us? UInt16 port = [asyncSocket localPort]; // Create and publish the bonjour service. // Obviously you will be using your own custom service type. netService = [[NSNetService alloc] initWithDomain:@"local." type:@"_YourServiceName._tcp." name:@"" port:port]; [netService setDelegate:self]; [netService publish]; // You can optionally add TXT record stuff NSMutableDictionary *txtDict = [NSMutableDictionary dictionaryWithCapacity:2]; [txtDict setObject:@"moo" forKey:@"cow"]; [txtDict setObject:@"quack" forKey:@"duck"]; NSData *txtData = [NSNetService dataFromTXTRecordDictionary:txtDict]; [netService setTXTRecordData:txtData]; } else { DDLogError(@"Error in acceptOnPort:error: -> %@", err); } } - (void)socket:(GCDAsyncSocket *)sock didAcceptNewSocket:(GCDAsyncSocket *)newSocket { DDLogInfo(@"Accepted new socket from %@:%hu", [newSocket connectedHost], [newSocket connectedPort]); // The newSocket automatically inherits its delegate & delegateQueue from its parent. [connectedSockets addObject:newSocket]; } - (void)socketDidDisconnect:(GCDAsyncSocket *)sock withError:(NSError *)err { [connectedSockets removeObject:sock]; } - (void)netServiceDidPublish:(NSNetService *)ns { DDLogInfo(@"Bonjour Service Published: domain(%@) type(%@) name(%@) port(%i)", [ns domain], [ns type], [ns name], (int)[ns port]); } - (void)netService:(NSNetService *)ns didNotPublish:(NSDictionary *)errorDict { // Override me to do something here... // // Note: This method in invoked on our bonjour thread. DDLogError(@"Failed to Publish Service: domain(%@) type(%@) name(%@) - %@", [ns domain], [ns type], [ns name], errorDict); } @end
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourServer/BonjourServerAppDelegate.m
Objective-C
oos
2,984
#import <Cocoa/Cocoa.h> @class GCDAsyncSocket; @interface BonjourServerAppDelegate : NSObject <NSApplicationDelegate, NSNetServiceDelegate> { NSNetService *netService; GCDAsyncSocket *asyncSocket; NSMutableArray *connectedSockets; NSWindow *window; } @property (assign) IBOutlet NSWindow *window; @end
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourServer/BonjourServerAppDelegate.h
Objective-C
oos
313
// // main.m // BonjourServer // // Created by Robbie Hanson on 1/27/11. // Copyright 2011 Voalte. All rights reserved. // #import <Cocoa/Cocoa.h> int main(int argc, char *argv[]) { return NSApplicationMain(argc, (const char **) argv); }
zzymoon-cocoaasyncsocket
GCD/Xcode/BonjourServer/main.m
Objective-C
oos
249
#!/bin/bash # 打开apache.http调试信息 adb shell setprop log.tag.org.apache.http VERBOSE adb shell setprop log.tag.org.apache.http.wire VERBOSE adb shell setprop log.tag.org.apache.http.headers VERBOSE echo "Enable Debug"
zzys3228-fanfou
tools/openHttpDebug.sh
Shell
asf20
229
package com.markupartist.android.widget; import java.lang.reflect.InvocationTargetException; import java.lang.reflect.Method; import android.content.Context; import android.util.AttributeSet; import android.util.Log; import android.view.GestureDetector; import android.view.LayoutInflater; import android.view.MotionEvent; import android.view.View; import android.view.ViewGroup; import android.view.animation.LinearInterpolator; import android.view.animation.RotateAnimation; import android.widget.AbsListView; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.ListAdapter; import android.widget.ListView; import android.widget.ProgressBar; import android.widget.TextView; import android.widget.AbsListView.OnScrollListener; import com.ch_linghu.fanfoudroid.R; public class PullToRefreshListView extends ListView implements OnScrollListener, GestureDetector.OnGestureListener { private final int MAXHEIGHT = 20; private static final int TAP_TO_REFRESH = 1; private static final int PULL_TO_REFRESH = 2; private static final int RELEASE_TO_REFRESH = 3; private static final int REFRESHING = 4; // private static final int RELEASING = 5;//释放过程做动画用 private static final String TAG = "PullToRefreshListView"; private OnRefreshListener mOnRefreshListener; /** * Listener that will receive notifications every time the list scrolls. */ private OnScrollListener mOnScrollListener; private LayoutInflater mInflater; private LinearLayout mRefreshView; private TextView mRefreshViewText; private ImageView mRefreshViewImage; private ProgressBar mRefreshViewProgress; private TextView mRefreshViewLastUpdated; private int mCurrentScrollState; private int mRefreshState; private RotateAnimation mFlipAnimation; private RotateAnimation mReverseFlipAnimation; private int mRefreshViewHeight; private int mRefreshOriginalTopPadding; private int mLastMotionY; private GestureDetector mDetector; // private int mPadding; public PullToRefreshListView(Context context) { super(context); init(context); } public PullToRefreshListView(Context context, AttributeSet attrs) { super(context, attrs); init(context); } public PullToRefreshListView(Context context, AttributeSet attrs, int defStyle) { super(context, attrs, defStyle); init(context); } private void init(Context context) { GestureDetector localGestureDetector = new GestureDetector(this); this.mDetector = localGestureDetector; // Load all of the animations we need in code rather than through XML mFlipAnimation = new RotateAnimation(0, -180, RotateAnimation.RELATIVE_TO_SELF, 0.5f, RotateAnimation.RELATIVE_TO_SELF, 0.5f); mFlipAnimation.setInterpolator(new LinearInterpolator()); mFlipAnimation.setDuration(200); mFlipAnimation.setFillAfter(true); mReverseFlipAnimation = new RotateAnimation(-180, 0, RotateAnimation.RELATIVE_TO_SELF, 0.5f, RotateAnimation.RELATIVE_TO_SELF, 0.5f); mReverseFlipAnimation.setInterpolator(new LinearInterpolator()); mReverseFlipAnimation.setDuration(200); mReverseFlipAnimation.setFillAfter(true); mInflater = (LayoutInflater) context .getSystemService(Context.LAYOUT_INFLATER_SERVICE); mRefreshView = (LinearLayout) mInflater.inflate( R.layout.pull_to_refresh_header, null); mRefreshViewText = (TextView) mRefreshView .findViewById(R.id.pull_to_refresh_text); mRefreshViewImage = (ImageView) mRefreshView .findViewById(R.id.pull_to_refresh_image); mRefreshViewProgress = (ProgressBar) mRefreshView .findViewById(R.id.pull_to_refresh_progress); mRefreshViewLastUpdated = (TextView) mRefreshView .findViewById(R.id.pull_to_refresh_updated_at); mRefreshViewImage.setMinimumHeight(50); mRefreshView.setOnClickListener(new OnClickRefreshListener()); mRefreshOriginalTopPadding = mRefreshView.getPaddingTop(); mRefreshState = TAP_TO_REFRESH; addHeaderView(mRefreshView); super.setOnScrollListener(this); measureView(mRefreshView); mRefreshViewHeight = mRefreshView.getMeasuredHeight(); } @Override public void setAdapter(ListAdapter adapter) { super.setAdapter(adapter); setSelection(1); } /** * Set the listener that will receive notifications every time the list * scrolls. * * @param l * The scroll listener. */ @Override public void setOnScrollListener(AbsListView.OnScrollListener l) { mOnScrollListener = l; } /** * Register a callback to be invoked when this list should be refreshed. * * @param onRefreshListener * The callback to run. */ public void setOnRefreshListener(OnRefreshListener onRefreshListener) { mOnRefreshListener = onRefreshListener; } /** * Set a text to represent when the list was last updated. * * @param lastUpdated * Last updated at. */ public void setLastUpdated(CharSequence lastUpdated) { if (lastUpdated != null) { mRefreshViewLastUpdated.setVisibility(View.VISIBLE); mRefreshViewLastUpdated.setText(lastUpdated); } else { mRefreshViewLastUpdated.setVisibility(View.GONE); } } @Override /** * TODO:此方法重写 */ public boolean onTouchEvent(MotionEvent event) { GestureDetector localGestureDetector = this.mDetector; localGestureDetector.onTouchEvent(event); final int y = (int) event.getY(); Log.d(TAG, String.format( "[onTouchEvent]event.Action=%d, currState=%d, refreshState=%d,y=%d", event.getAction(), mCurrentScrollState, mRefreshState, y)); switch (event.getAction()) { case MotionEvent.ACTION_UP: if (!isVerticalScrollBarEnabled()) { setVerticalScrollBarEnabled(true); } if (getFirstVisiblePosition() == 0 && mRefreshState != REFRESHING) { if ((mRefreshView.getBottom() >= mRefreshViewHeight + MAXHEIGHT || mRefreshView .getTop() >= 0)) { // Initiate the refresh mRefreshState = REFRESHING; prepareForRefresh(); onRefresh(); } else if (mRefreshView.getBottom() < mRefreshViewHeight + MAXHEIGHT || mRefreshView.getTop() <= 0) { // Abort refresh and scroll down below the refresh view resetHeader(); setSelection(1); } } break; case MotionEvent.ACTION_DOWN: mLastMotionY = y; break; case MotionEvent.ACTION_MOVE: applyHeaderPadding(event); break; } return super.onTouchEvent(event); } /** * TODO:此方法重写 * @param ev */ private void applyHeaderPadding(MotionEvent ev) { final int historySize = ev.getHistorySize(); Log.d(TAG, String.format( "[applyHeaderPadding]currState=%d, refreshState=%d", mCurrentScrollState, mRefreshState)); // Workaround for getPointerCount() which is unavailable in 1.5 // (it's always 1 in 1.5) int pointerCount = 1; try { Method method = MotionEvent.class.getMethod("getPointerCount"); pointerCount = (Integer) method.invoke(ev); } catch (NoSuchMethodException e) { pointerCount = 1; } catch (IllegalArgumentException e) { throw e; } catch (IllegalAccessException e) { System.err.println("unexpected " + e); } catch (InvocationTargetException e) { System.err.println("unexpected " + e); } if (mRefreshState == RELEASE_TO_REFRESH) { // this.offsetTopAndBottom(-mPadding); for (int h = 0; h < historySize; h++) { for (int p = 0; p < pointerCount; p++) { if (isVerticalFadingEdgeEnabled()) { setVerticalScrollBarEnabled(false); } int historicalY = 0; try { // For Android > 2.0 Method method = MotionEvent.class.getMethod( "getHistoricalY", Integer.TYPE, Integer.TYPE); historicalY = ((Float) method.invoke(ev, p, h)) .intValue(); } catch (NoSuchMethodException e) { // For Android < 2.0 historicalY = (int) (ev.getHistoricalY(h)); } catch (IllegalArgumentException e) { throw e; } catch (IllegalAccessException e) { System.err.println("unexpected " + e); } catch (InvocationTargetException e) { System.err.println("unexpected " + e); } // Calculate the padding to apply, we divide by 1.7 to // simulate a more resistant effect during pull. int topPadding = (int) (((historicalY - mLastMotionY) - mRefreshViewHeight) / 1.7); // Log.d(TAG, // String.format( // "[applyHeaderPadding]historicalY=%d,topPadding=%d,mRefreshViewHeight=%d,mLastMotionY=%d", // historicalY, topPadding, // mRefreshViewHeight, mLastMotionY)); mRefreshView.setPadding(mRefreshView.getPaddingLeft(), topPadding, mRefreshView.getPaddingRight(), mRefreshView.getPaddingBottom()); } } } } /** * Sets the header padding back to original size. */ private void resetHeaderPadding() { Log.d(TAG, String.format( "[resetHeaderPadding]currState=%d, refreshState=%d", mCurrentScrollState, mRefreshState)); // invalidate(); //this.mPadding=0; //this.offsetTopAndBottom(this.mPadding); mRefreshView.setPadding(mRefreshView.getPaddingLeft(), mRefreshOriginalTopPadding, mRefreshView.getPaddingRight(), mRefreshView.getPaddingBottom()); } /** * Resets the header to the original state. */ private void resetHeader() { Log.d(TAG, String.format("[resetHeader]currState=%d, refreshState=%d", mCurrentScrollState, mRefreshState)); if (mRefreshState != TAP_TO_REFRESH) { mRefreshState = TAP_TO_REFRESH; resetHeaderPadding(); // Set refresh view text to the pull label // mRefreshViewText.setText(R.string.pull_to_refresh_tap_label);//点击刷新是否有用 mRefreshViewText.setText(R.string.pull_to_refresh_pull_label); // Replace refresh drawable with arrow drawable mRefreshViewImage .setImageResource(R.drawable.ic_pulltorefresh_arrow); // Clear the full rotation animation mRefreshViewImage.clearAnimation(); // Hide progress bar and arrow. mRefreshViewImage.setVisibility(View.GONE); mRefreshViewProgress.setVisibility(View.GONE); } } private void measureView(View child) { Log.d(TAG, String.format("[measureView]currState=%d, refreshState=%d", mCurrentScrollState, mRefreshState)); ViewGroup.LayoutParams p = child.getLayoutParams(); if (p == null) { p = new ViewGroup.LayoutParams(ViewGroup.LayoutParams.FILL_PARENT, ViewGroup.LayoutParams.WRAP_CONTENT); } int childWidthSpec = ViewGroup.getChildMeasureSpec(0, 0 + 0, p.width); int lpHeight = p.height; int childHeightSpec; if (lpHeight > 0) { childHeightSpec = MeasureSpec.makeMeasureSpec(lpHeight, MeasureSpec.EXACTLY); } else { childHeightSpec = MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED); } child.measure(childWidthSpec, childHeightSpec); } @Override public void onScroll(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) { Log.d(TAG, "List onScroll"); if (mCurrentScrollState == SCROLL_STATE_FLING && firstVisibleItem == 0 && mRefreshState != REFRESHING) { setSelection(1); mRefreshViewImage.setVisibility(View.INVISIBLE); } if (mOnScrollListener != null) { mOnScrollListener.onScroll(this, firstVisibleItem, visibleItemCount, totalItemCount); } } @Override public void onScrollStateChanged(AbsListView view, int scrollState) { mCurrentScrollState = scrollState; if (mOnScrollListener != null) { mOnScrollListener.onScrollStateChanged(view, scrollState); } } public void prepareForRefresh() { resetHeaderPadding(); mRefreshViewImage.setVisibility(View.GONE); // We need this hack, otherwise it will keep the previous drawable. mRefreshViewImage.setImageDrawable(null); mRefreshViewProgress.setVisibility(View.VISIBLE); // Set refresh view text to the refreshing label mRefreshViewText.setText(R.string.pull_to_refresh_refreshing_label); mRefreshState = REFRESHING; } public void onRefresh() { Log.d(TAG, "onRefresh"); if (mOnRefreshListener != null) { mOnRefreshListener.onRefresh(); } } /** * Resets the list to a normal state after a refresh. * * @param lastUpdated * Last updated at. */ public void onRefreshComplete(CharSequence lastUpdated) { setLastUpdated(lastUpdated); onRefreshComplete(); } /** * Resets the list to a normal state after a refresh. */ public void onRefreshComplete() { Log.d(TAG, "onRefreshComplete"); resetHeader(); // If refresh view is visible when loading completes, scroll down to // the next item. if (mRefreshView.getBottom() > 0) { invalidateViews(); // setSelection(1); } } /** * Invoked when the refresh view is clicked on. This is mainly used when * there's only a few items in the list and it's not possible to drag the * list. */ private class OnClickRefreshListener implements OnClickListener { @Override public void onClick(View v) { if (mRefreshState != REFRESHING) { prepareForRefresh(); onRefresh(); } } } /** * Interface definition for a callback to be invoked when list should be * refreshed. */ public interface OnRefreshListener { /** * Called when the list should be refreshed. * <p> * A call to {@link PullToRefreshListView #onRefreshComplete()} is * expected to indicate that the refresh has completed. */ public void onRefresh(); } @Override public boolean onDown(MotionEvent e) { // TODO Auto-generated method stub return false; } @Override public void onShowPress(MotionEvent e) { // TODO Auto-generated method stub } @Override public boolean onSingleTapUp(MotionEvent e) { // TODO Auto-generated method stub return false; } @Override public boolean onScroll(MotionEvent e1, MotionEvent e2, float distanceX, float distanceY) { int firstVisibleItem = this.getFirstVisiblePosition(); // When the refresh view is completely visible, change the text to say // "Release to refresh..." and flip the arrow drawable. Log.d(TAG, String.format( "[OnScroll]first=%d, currState=%d, refreshState=%d", firstVisibleItem, mCurrentScrollState, mRefreshState)); if (mCurrentScrollState == SCROLL_STATE_TOUCH_SCROLL && mRefreshState != REFRESHING) { if (firstVisibleItem == 0) { mRefreshViewImage.setVisibility(View.VISIBLE); // Log.d(TAG, // String.format( // "getBottom=%d,refreshViewHeight=%d,getTop=%d,mRefreshOriginalTopPadding=%d", // mRefreshView.getBottom(), mRefreshViewHeight // + MAXHEIGHT, // this.getTopPaddingOffset(), // mRefreshOriginalTopPadding)); if ((mRefreshView.getBottom() >= mRefreshViewHeight + MAXHEIGHT || mRefreshView .getTop() >= 0) && mRefreshState != RELEASE_TO_REFRESH) { //this.mPadding+=distanceY;//备用 mRefreshViewText .setText(R.string.pull_to_refresh_release_label); mRefreshViewImage.clearAnimation(); mRefreshViewImage.startAnimation(mFlipAnimation); mRefreshState = RELEASE_TO_REFRESH; } else if (mRefreshView.getBottom() < mRefreshViewHeight + MAXHEIGHT && mRefreshState != PULL_TO_REFRESH) { mRefreshViewText .setText(R.string.pull_to_refresh_pull_label); if (mRefreshState != TAP_TO_REFRESH) { mRefreshViewImage.clearAnimation(); mRefreshViewImage.startAnimation(mReverseFlipAnimation); } mRefreshState = PULL_TO_REFRESH; } } else { mRefreshViewImage.setVisibility(View.GONE); resetHeader(); } } /*not execute else if (mCurrentScrollState == SCROLL_STATE_FLING && firstVisibleItem == 0 && mRefreshState != REFRESHING) { setSelection(1); }*/ return false; } @Override public void onLongPress(MotionEvent e) { // TODO Auto-generated method stub } @Override public boolean onFling(MotionEvent e1, MotionEvent e2, float velocityX, float velocityY) { // TODO Auto-generated method stub return false; } }
zzys3228-fanfou
src/com/markupartist/android/widget/PullToRefreshListView.java
Java
asf20
15,869
package com.ch_linghu.fanfoudroid; import java.text.ParseException; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.graphics.Bitmap; import android.os.Bundle; import android.text.TextUtils; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.LayoutInflater; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.view.ViewGroup; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.Button; import android.widget.CursorAdapter; import android.widget.ImageView; import android.widget.ListView; import android.widget.TextView; import com.ch_linghu.fanfoudroid.app.LazyImageLoader.ImageLoaderCallback; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.data.Dm; import com.ch_linghu.fanfoudroid.db.MessageTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.fanfou.DirectMessage; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.ui.base.BaseActivity; import com.ch_linghu.fanfoudroid.ui.base.Refreshable; import com.ch_linghu.fanfoudroid.ui.module.Feedback; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory.FeedbackType; import com.ch_linghu.fanfoudroid.ui.module.NavBar; import com.ch_linghu.fanfoudroid.ui.module.SimpleFeedback; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; import com.ch_linghu.fanfoudroid.util.TextHelper; import com.ch_linghu.fanfoudroid.R; public class DmActivity extends BaseActivity implements Refreshable { private static final String TAG = "DmActivity"; // Views. private ListView mTweetList; private Adapter mAdapter; private Adapter mInboxAdapter; private Adapter mSendboxAdapter; Button inbox; Button sendbox; Button newMsg; private int mDMType; private static final int DM_TYPE_ALL = 0; private static final int DM_TYPE_INBOX = 1; private static final int DM_TYPE_SENDBOX = 2; private TextView mProgressText; private NavBar mNavbar; private Feedback mFeedback; // Tasks. private GenericTask mRetrieveTask; private GenericTask mDeleteTask; private TaskListener mDeleteTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { updateProgress(getString(R.string.page_status_deleting)); } @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { mAdapter.refresh(); } else { // Do nothing. } updateProgress(""); } @Override public String getName() { return "DmDeleteTask"; } }; private TaskListener mRetrieveTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { updateProgress(getString(R.string.page_status_refreshing)); } @Override public void onProgressUpdate(GenericTask task, Object params) { draw(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { SharedPreferences.Editor editor = mPreferences.edit(); editor.putLong(Preferences.LAST_DM_REFRESH_KEY, DateTimeHelper.getNowTime()); editor.commit(); draw(); goTop(); } else { // Do nothing. } updateProgress(""); } @Override public String getName() { return "DmRetrieve"; } }; // Refresh data at startup if last refresh was this long ago or greater. private static final long REFRESH_THRESHOLD = 5 * 60 * 1000; private static final String EXTRA_USER = "user"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.DMS"; public static Intent createIntent() { return createIntent(""); } public static Intent createIntent(String user) { Intent intent = new Intent(LAUNCH_ACTION); intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); if (!TextUtils.isEmpty(user)) { intent.putExtra(EXTRA_USER, user); } return intent; } @Override protected boolean _onCreate(Bundle savedInstanceState) { if (super._onCreate(savedInstanceState)) { setContentView(R.layout.dm); mNavbar = new NavBar(NavBar.HEADER_STYLE_HOME, this); mNavbar.setHeaderTitle("我的私信"); mFeedback = FeedbackFactory.create(this, FeedbackType.PROGRESS); bindFooterButtonEvent(); mTweetList = (ListView) findViewById(R.id.tweet_list); mProgressText = (TextView) findViewById(R.id.progress_text); TwitterDatabase db = getDb(); // Mark all as read. db.markAllDmsRead(); setupAdapter(); // Make sure call bindFooterButtonEvent first boolean shouldRetrieve = false; long lastRefreshTime = mPreferences.getLong( Preferences.LAST_DM_REFRESH_KEY, 0); long nowTime = DateTimeHelper.getNowTime(); long diff = nowTime - lastRefreshTime; Log.d(TAG, "Last refresh was " + diff + " ms ago."); if (diff > REFRESH_THRESHOLD) { shouldRetrieve = true; } else if (isTrue(savedInstanceState, SIS_RUNNING_KEY)) { // Check to see if it was running a send or retrieve task. // It makes no sense to resend the send request (don't want // dupes) // so we instead retrieve (refresh) to see if the message has // posted. Log.d(TAG, "Was last running a retrieve or send task. Let's refresh."); shouldRetrieve = true; } if (shouldRetrieve) { doRetrieve(); } // Want to be able to focus on the items with the trackball. // That way, we can navigate up and down by changing item focus. mTweetList.setItemsCanFocus(true); return true; } else { return false; } } @Override protected void onResume() { super.onResume(); checkIsLogedIn(); } private static final String SIS_RUNNING_KEY = "running"; @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { outState.putBoolean(SIS_RUNNING_KEY, true); } } @Override protected void onDestroy() { Log.d(TAG, "onDestroy."); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { mRetrieveTask.cancel(true); } if (mDeleteTask != null && mDeleteTask.getStatus() == GenericTask.Status.RUNNING) { mDeleteTask.cancel(true); } super.onDestroy(); } // UI helpers. private void bindFooterButtonEvent() { inbox = (Button) findViewById(R.id.inbox); sendbox = (Button) findViewById(R.id.sendbox); newMsg = (Button) findViewById(R.id.new_message); inbox.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (mDMType != DM_TYPE_INBOX) { mDMType = DM_TYPE_INBOX; inbox.setEnabled(false); sendbox.setEnabled(true); mTweetList.setAdapter(mInboxAdapter); mInboxAdapter.refresh(); } } }); sendbox.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (mDMType != DM_TYPE_SENDBOX) { mDMType = DM_TYPE_SENDBOX; inbox.setEnabled(true); sendbox.setEnabled(false); mTweetList.setAdapter(mSendboxAdapter); mSendboxAdapter.refresh(); } } }); newMsg.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = new Intent(); intent.setClass(DmActivity.this, WriteDmActivity.class); intent.putExtra("reply_to_id", 0); // TODO: 传入实际的reply_to_id startActivity(intent); } }); } private void setupAdapter() { Cursor cursor = getDb().fetchAllDms(-1); startManagingCursor(cursor); mAdapter = new Adapter(this, cursor); Cursor inboxCursor = getDb().fetchInboxDms(); startManagingCursor(inboxCursor); mInboxAdapter = new Adapter(this, inboxCursor); Cursor sendboxCursor = getDb().fetchSendboxDms(); startManagingCursor(sendboxCursor); mSendboxAdapter = new Adapter(this, sendboxCursor); mTweetList.setAdapter(mInboxAdapter); registerForContextMenu(mTweetList); inbox.setEnabled(false); } private class DmRetrieveTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { List<DirectMessage> dmList; ArrayList<Dm> dms = new ArrayList<Dm>(); TwitterDatabase db = getDb(); // ImageManager imageManager = getImageManager(); String maxId = db.fetchMaxDmId(false); HashSet<String> imageUrls = new HashSet<String>(); try { if (maxId != null) { Paging paging = new Paging(maxId); dmList = getApi().getDirectMessages(paging); } else { dmList = getApi().getDirectMessages(); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } publishProgress(SimpleFeedback.calProgressBySize(40, 20, dmList)); for (DirectMessage directMessage : dmList) { if (isCancelled()) { return TaskResult.CANCELLED; } Dm dm; dm = Dm.create(directMessage, false); dms.add(dm); imageUrls.add(dm.profileImageUrl); if (isCancelled()) { return TaskResult.CANCELLED; } } maxId = db.fetchMaxDmId(true); try { if (maxId != null) { Paging paging = new Paging(maxId); dmList = getApi().getSentDirectMessages(paging); } else { dmList = getApi().getSentDirectMessages(); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } for (DirectMessage directMessage : dmList) { if (isCancelled()) { return TaskResult.CANCELLED; } Dm dm; dm = Dm.create(directMessage, true); dms.add(dm); imageUrls.add(dm.profileImageUrl); if (isCancelled()) { return TaskResult.CANCELLED; } } db.addDms(dms, false); // if (isCancelled()) { // return TaskResult.CANCELLED; // } // // publishProgress(null); // // for (String imageUrl : imageUrls) { // if (!Utils.isEmpty(imageUrl)) { // // Fetch image to cache. // try { // imageManager.put(imageUrl); // } catch (IOException e) { // Log.e(TAG, e.getMessage(), e); // } // } // // if (isCancelled()) { // return TaskResult.CANCELLED; // } // } return TaskResult.OK; } } private static class Adapter extends CursorAdapter { public Adapter(Context context, Cursor cursor) { super(context, cursor); mInflater = LayoutInflater.from(context); // TODO: 可使用: // DM dm = MessageTable.parseCursor(cursor); mUserTextColumn = cursor .getColumnIndexOrThrow(MessageTable.FIELD_USER_SCREEN_NAME); mTextColumn = cursor.getColumnIndexOrThrow(MessageTable.FIELD_TEXT); mProfileImageUrlColumn = cursor .getColumnIndexOrThrow(MessageTable.FIELD_PROFILE_IMAGE_URL); mCreatedAtColumn = cursor .getColumnIndexOrThrow(MessageTable.FIELD_CREATED_AT); mIsSentColumn = cursor .getColumnIndexOrThrow(MessageTable.FIELD_IS_SENT); } private LayoutInflater mInflater; private int mUserTextColumn; private int mTextColumn; private int mProfileImageUrlColumn; private int mIsSentColumn; private int mCreatedAtColumn; @Override public View newView(Context context, Cursor cursor, ViewGroup parent) { View view = mInflater.inflate(R.layout.direct_message, parent, false); ViewHolder holder = new ViewHolder(); holder.userText = (TextView) view .findViewById(R.id.tweet_user_text); holder.tweetText = (TextView) view.findViewById(R.id.tweet_text); holder.profileImage = (ImageView) view .findViewById(R.id.profile_image); holder.metaText = (TextView) view .findViewById(R.id.tweet_meta_text); view.setTag(holder); return view; } class ViewHolder { public TextView userText; public TextView tweetText; public ImageView profileImage; public TextView metaText; } @Override public void bindView(View view, Context context, Cursor cursor) { ViewHolder holder = (ViewHolder) view.getTag(); int isSent = cursor.getInt(mIsSentColumn); String user = cursor.getString(mUserTextColumn); if (0 == isSent) { holder.userText.setText(context .getString(R.string.direct_message_label_from_prefix) + user); } else { holder.userText.setText(context .getString(R.string.direct_message_label_to_prefix) + user); } TextHelper.setTweetText(holder.tweetText, cursor.getString(mTextColumn)); String profileImageUrl = cursor.getString(mProfileImageUrlColumn); if (!TextUtils.isEmpty(profileImageUrl)) { holder.profileImage .setImageBitmap(TwitterApplication.mImageLoader.get( profileImageUrl, new ImageLoaderCallback() { @Override public void refresh(String url, Bitmap bitmap) { Adapter.this.refresh(); } })); } try { holder.metaText.setText(DateTimeHelper .getRelativeDate(TwitterDatabase.DB_DATE_FORMATTER .parse(cursor.getString(mCreatedAtColumn)))); } catch (ParseException e) { Log.w(TAG, "Invalid created at data."); } } public void refresh() { getCursor().requery(); } } // Menu. @Override public boolean onCreateOptionsMenu(Menu menu) { return super.onCreateOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { // FIXME: 将刷新功能绑定到顶部的刷新按钮上,主菜单中的刷新选项已删除 // case OPTIONS_MENU_ID_REFRESH: // doRetrieve(); // return true; case OPTIONS_MENU_ID_TWEETS: launchActivity(TwitterActivity.createIntent(this)); return true; case OPTIONS_MENU_ID_REPLIES: launchActivity(MentionActivity.createIntent(this)); return true; } return super.onOptionsItemSelected(item); } private static final int CONTEXT_REPLY_ID = 0; private static final int CONTEXT_DELETE_ID = 1; @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); menu.add(0, CONTEXT_REPLY_ID, 0, R.string.cmenu_reply); menu.add(0, CONTEXT_DELETE_ID, 0, R.string.cmenu_delete); } @Override public boolean onContextItemSelected(MenuItem item) { AdapterContextMenuInfo info = (AdapterContextMenuInfo) item .getMenuInfo(); Cursor cursor = (Cursor) mAdapter.getItem(info.position); if (cursor == null) { Log.w(TAG, "Selected item not available."); return super.onContextItemSelected(item); } switch (item.getItemId()) { case CONTEXT_REPLY_ID: String user_id = cursor.getString(cursor .getColumnIndexOrThrow(MessageTable.FIELD_USER_ID)); Intent intent = WriteDmActivity.createIntent(user_id); startActivity(intent); return true; case CONTEXT_DELETE_ID: int idIndex = cursor.getColumnIndexOrThrow(MessageTable._ID); String id = cursor.getString(idIndex); doDestroy(id); return true; default: return super.onContextItemSelected(item); } } private void doDestroy(String id) { Log.d(TAG, "Attempting delete."); if (mDeleteTask != null && mDeleteTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mDeleteTask = new DmDeleteTask(); mDeleteTask.setListener(mDeleteTaskListener); TaskParams params = new TaskParams(); params.put("id", id); mDeleteTask.execute(params); } } private class DmDeleteTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; try { String id = param.getString("id"); DirectMessage directMessage = getApi().destroyDirectMessage(id); Dm.create(directMessage, false); getDb().deleteDm(id); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } if (isCancelled()) { return TaskResult.CANCELLED; } return TaskResult.OK; } } public void doRetrieve() { Log.d(TAG, "Attempting retrieve."); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mRetrieveTask = new DmRetrieveTask(); mRetrieveTask.setFeedback(mFeedback); mRetrieveTask.setListener(mRetrieveTaskListener); mRetrieveTask.execute(); } } public void goTop() { mTweetList.setSelection(0); } public void draw() { mAdapter.refresh(); mInboxAdapter.refresh(); mSendboxAdapter.refresh(); } private void updateProgress(String msg) { mProgressText.setText(msg); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/DmActivity.java
Java
asf20
17,743
package com.ch_linghu.fanfoudroid; import java.text.MessageFormat; import java.util.List; import android.content.Intent; import android.os.Bundle; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.ListView; import com.ch_linghu.fanfoudroid.data.User; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.ui.base.UserArrayBaseActivity; import com.ch_linghu.fanfoudroid.ui.module.UserArrayAdapter; import com.ch_linghu.fanfoudroid.R; public class FollowingActivity extends UserArrayBaseActivity { private ListView mUserList; private UserArrayAdapter mAdapter; private String userId; private String userName; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.FOLLOWING"; private static final String USER_ID = "userId"; private static final String USER_NAME = "userName"; private int currentPage = 1; String myself = ""; @Override protected boolean _onCreate(Bundle savedInstanceState) { Intent intent = getIntent(); Bundle extras = intent.getExtras(); if (extras != null) { this.userId = extras.getString(USER_ID); this.userName = extras.getString(USER_NAME); } else { // 获取登录用户id userId = TwitterApplication.getMyselfId(false); userName = TwitterApplication.getMyselfName(false); } if (super._onCreate(savedInstanceState)) { myself = TwitterApplication.getMyselfId(false); if (getUserId() == myself) { mNavbar.setHeaderTitle(MessageFormat.format( getString(R.string.profile_friends_count_title), "我")); } else { mNavbar.setHeaderTitle(MessageFormat.format( getString(R.string.profile_friends_count_title), userName)); } return true; } else { return false; } } /* * 添加取消关注按钮 * * @see * com.ch_linghu.fanfoudroid.ui.base.UserListBaseActivity#onCreateContextMenu * (android.view.ContextMenu, android.view.View, * android.view.ContextMenu.ContextMenuInfo) */ @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); if (getUserId() == myself) { AdapterView.AdapterContextMenuInfo info = (AdapterContextMenuInfo) menuInfo; User user = getContextItemUser(info.position); menu.add( 0, CONTENT_DEL_FRIEND, 0, getResources().getString( R.string.cmenu_user_addfriend_prefix) + user.screenName + getResources().getString( R.string.cmenu_user_friend_suffix)); } } public static Intent createIntent(String userId, String userName) { Intent intent = new Intent(LAUNCH_ACTION); intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); intent.putExtra(USER_ID, userId); intent.putExtra(USER_NAME, userName); return intent; } @Override public Paging getNextPage() { currentPage += 1; return new Paging(currentPage); } @Override protected String getUserId() { return this.userId; } @Override public Paging getCurrentPage() { currentPage = 1; return new Paging(this.currentPage); } @Override protected List<com.ch_linghu.fanfoudroid.fanfou.User> getUsers( String userId, Paging page) throws HttpException { return getApi().getFriendsStatuses(userId, page); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/FollowingActivity.java
Java
asf20
3,452
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import android.app.Activity; import android.app.PendingIntent; import android.app.PendingIntent.CanceledException; import android.app.ProgressDialog; import android.content.Intent; import android.content.SharedPreferences; import android.os.Bundle; import android.preference.PreferenceManager; import android.text.TextUtils; import android.text.method.LinkMovementMethod; import android.util.Log; import android.view.KeyEvent; import android.view.View; import android.view.Window; import android.widget.Button; import android.widget.EditText; import android.widget.TextView; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.fanfou.User; import com.ch_linghu.fanfoudroid.http.HttpAuthException; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskFeedback; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.R; //登录页面需要个性化的菜单绑定, 不直接继承 BaseActivity public class LoginActivity extends Activity { private static final String TAG = "LoginActivity"; private static final String SIS_RUNNING_KEY = "running"; private String mUsername; private String mPassword; // Views. private EditText mUsernameEdit; private EditText mPasswordEdit; private TextView mProgressText; private Button mSigninButton; private ProgressDialog dialog; // Preferences. private SharedPreferences mPreferences; // Tasks. private GenericTask mLoginTask; private User user; private TaskListener mLoginTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { onLoginBegin(); } @Override public void onProgressUpdate(GenericTask task, Object param) { updateProgress((String) param); } @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.OK) { onLoginSuccess(); } else { onLoginFailure(((LoginTask) task).getMsg()); } } @Override public String getName() { // TODO Auto-generated method stub return "Login"; } }; @Override protected void onCreate(Bundle savedInstanceState) { Log.d(TAG, "onCreate"); super.onCreate(savedInstanceState); // No Title bar requestWindowFeature(Window.FEATURE_NO_TITLE); requestWindowFeature(Window.FEATURE_PROGRESS); mPreferences = PreferenceManager.getDefaultSharedPreferences(this); setContentView(R.layout.login); // TextView中嵌入HTML链接 TextView registerLink = (TextView) findViewById(R.id.register_link); registerLink.setMovementMethod(LinkMovementMethod.getInstance()); mUsernameEdit = (EditText) findViewById(R.id.username_edit); mPasswordEdit = (EditText) findViewById(R.id.password_edit); // mUsernameEdit.setOnKeyListener(enterKeyHandler); mPasswordEdit.setOnKeyListener(enterKeyHandler); mProgressText = (TextView) findViewById(R.id.progress_text); mProgressText.setFreezesText(true); mSigninButton = (Button) findViewById(R.id.signin_button); if (savedInstanceState != null) { if (savedInstanceState.containsKey(SIS_RUNNING_KEY)) { if (savedInstanceState.getBoolean(SIS_RUNNING_KEY)) { Log.d(TAG, "Was previously logging in. Restart action."); doLogin(); } } } mSigninButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { doLogin(); } }); } @Override protected void onDestroy() { Log.d(TAG, "onDestory"); if (mLoginTask != null && mLoginTask.getStatus() == GenericTask.Status.RUNNING) { mLoginTask.cancel(true); } // dismiss dialog before destroy // to avoid android.view.WindowLeaked Exception TaskFeedback.getInstance(TaskFeedback.DIALOG_MODE, LoginActivity.this) .cancel(); super.onDestroy(); } @Override protected void onStop() { Log.d(TAG, "onStop"); // TODO Auto-generated method stub super.onStop(); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mLoginTask != null && mLoginTask.getStatus() == GenericTask.Status.RUNNING) { // If the task was running, want to start it anew when the // Activity restarts. // This addresses the case where you user changes orientation // in the middle of execution. outState.putBoolean(SIS_RUNNING_KEY, true); } } // UI helpers. private void updateProgress(String progress) { mProgressText.setText(progress); } private void enableLogin() { mUsernameEdit.setEnabled(true); mPasswordEdit.setEnabled(true); mSigninButton.setEnabled(true); } private void disableLogin() { mUsernameEdit.setEnabled(false); mPasswordEdit.setEnabled(false); mSigninButton.setEnabled(false); } // Login task. private void doLogin() { mUsername = mUsernameEdit.getText().toString(); mPassword = mPasswordEdit.getText().toString(); if (mLoginTask != null && mLoginTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { if (!TextUtils.isEmpty(mUsername) & !TextUtils.isEmpty(mPassword)) { mLoginTask = new LoginTask(); mLoginTask.setListener(mLoginTaskListener); TaskParams params = new TaskParams(); params.put("username", mUsername); params.put("password", mPassword); mLoginTask.execute(params); } else { updateProgress(getString(R.string.login_status_null_username_or_password)); } } } private void onLoginBegin() { disableLogin(); TaskFeedback.getInstance(TaskFeedback.DIALOG_MODE, LoginActivity.this) .start(getString(R.string.login_status_logging_in)); } private void onLoginSuccess() { TaskFeedback.getInstance(TaskFeedback.DIALOG_MODE, LoginActivity.this) .success(""); updateProgress(""); mUsernameEdit.setText(""); mPasswordEdit.setText(""); Log.d(TAG, "Storing credentials."); TwitterApplication.mApi.setCredentials(mUsername, mPassword); Intent intent = getIntent().getParcelableExtra(Intent.EXTRA_INTENT); String action = intent.getAction(); if (intent.getAction() == null || !Intent.ACTION_SEND.equals(action)) { // We only want to reuse the intent if it was photo send. // Or else default to the main activity. intent = new Intent(this, TwitterActivity.class); } // 发送消息给widget Intent reflogin = new Intent(this.getBaseContext(), FanfouWidget.class); reflogin.setAction("android.appwidget.action.APPWIDGET_UPDATE"); PendingIntent l = PendingIntent.getBroadcast(this.getBaseContext(), 0, reflogin, PendingIntent.FLAG_UPDATE_CURRENT); try { l.send(); } catch (CanceledException e) { // TODO Auto-generated catch block e.printStackTrace(); } // 发送消息给widget_small Intent reflogin2 = new Intent(this.getBaseContext(), FanfouWidgetSmall.class); reflogin2.setAction("android.appwidget.action.APPWIDGET_UPDATE"); PendingIntent l2 = PendingIntent.getBroadcast(this.getBaseContext(), 0, reflogin2, PendingIntent.FLAG_UPDATE_CURRENT); try { l2.send(); } catch (CanceledException e) { // TODO Auto-generated catch block e.printStackTrace(); } startActivity(intent); finish(); } private void onLoginFailure(String reason) { TaskFeedback.getInstance(TaskFeedback.DIALOG_MODE, LoginActivity.this) .failed(reason); enableLogin(); } private class LoginTask extends GenericTask { private String msg = getString(R.string.login_status_failure); public String getMsg() { return msg; } @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; publishProgress(getString(R.string.login_status_logging_in) + "..."); try { String username = param.getString("username"); String password = param.getString("password"); user = TwitterApplication.mApi.login(username, password); TwitterApplication.getMyselfId(true); TwitterApplication.getMyselfName(true); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); // TODO:确切的应该从HttpException中返回的消息中获取错误信息 // Throwable cause = e.getCause(); // Maybe null // if (cause instanceof HttpAuthException) { if (e instanceof HttpAuthException) { // Invalid userName/password msg = getString(R.string.login_status_invalid_username_or_password); } else { msg = getString(R.string.login_status_network_or_connection_error); } publishProgress(msg); return TaskResult.FAILED; } SharedPreferences.Editor editor = mPreferences.edit(); editor.putString(Preferences.USERNAME_KEY, mUsername); editor.putString(Preferences.PASSWORD_KEY, encryptPassword(mPassword)); // add 存储当前用户的id editor.putString(Preferences.CURRENT_USER_ID, user.getId()); editor.commit(); return TaskResult.OK; } } private View.OnKeyListener enterKeyHandler = new View.OnKeyListener() { public boolean onKey(View v, int keyCode, KeyEvent event) { if (keyCode == KeyEvent.KEYCODE_ENTER || keyCode == KeyEvent.KEYCODE_DPAD_CENTER) { if (event.getAction() == KeyEvent.ACTION_UP) { doLogin(); } return true; } return false; } }; public static String encryptPassword(String password) { // return Base64.encodeToString(password.getBytes(), Base64.DEFAULT); return password; } public static String decryptPassword(String password) { // return new String(Base64.decode(password, Base64.DEFAULT)); return password; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/LoginActivity.java
Java
asf20
10,605
package com.ch_linghu.fanfoudroid.data; import com.ch_linghu.fanfoudroid.fanfou.DirectMessage; import com.ch_linghu.fanfoudroid.fanfou.User; import com.ch_linghu.fanfoudroid.util.TextHelper; public class Dm extends Message { @SuppressWarnings("unused") private static final String TAG = "Dm"; public boolean isSent; public static Dm create(DirectMessage directMessage, boolean isSent) { Dm dm = new Dm(); dm.id = directMessage.getId(); dm.text = directMessage.getText(); dm.createdAt = directMessage.getCreatedAt(); dm.isSent = isSent; User user = dm.isSent ? directMessage.getRecipient() : directMessage .getSender(); dm.screenName = TextHelper.getSimpleTweetText(user.getScreenName()); dm.userId = user.getId(); dm.profileImageUrl = user.getProfileImageURL().toString(); return dm; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data/Dm.java
Java
asf20
851
package com.ch_linghu.fanfoudroid.data; import java.util.Date; public class Message { public String id; public String screenName; public String text; public String profileImageUrl; public Date createdAt; public String userId; public String favorited; public String truncated; public String inReplyToStatusId; public String inReplyToUserId; public String inReplyToScreenName; public String thumbnail_pic; public String bmiddle_pic; public String original_pic; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data/Message.java
Java
asf20
501
package com.ch_linghu.fanfoudroid.data; import android.database.Cursor; public interface BaseContent { long insert(); int delete(); int update(); Cursor select(); }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data/BaseContent.java
Java
asf20
174
package com.ch_linghu.fanfoudroid.data; import java.util.Date; import android.os.Parcel; import android.os.Parcelable; public class User implements Parcelable { public String id; public String name; public String screenName; public String location; public String description; public String profileImageUrl; public String url; public boolean isProtected; public int followersCount; public String lastStatus; public int friendsCount; public int favoritesCount; public int statusesCount; public Date createdAt; public boolean isFollowing; // public boolean notifications; // public utc_offset public User() { } public static User create(com.ch_linghu.fanfoudroid.fanfou.User u) { User user = new User(); user.id = u.getId(); user.name = u.getName(); user.screenName = u.getScreenName(); user.location = u.getLocation(); user.description = u.getDescription(); user.profileImageUrl = u.getProfileImageURL().toString(); if (u.getURL() != null) { user.url = u.getURL().toString(); } user.isProtected = u.isProtected(); user.followersCount = u.getFollowersCount(); user.lastStatus = u.getStatusText(); user.friendsCount = u.getFriendsCount(); user.favoritesCount = u.getFavouritesCount(); user.statusesCount = u.getStatusesCount(); user.createdAt = u.getCreatedAt(); user.isFollowing = u.isFollowing(); return user; } @Override public int describeContents() { return 0; } @Override public void writeToParcel(Parcel out, int flags) { boolean[] boolArray = new boolean[] { isProtected, isFollowing }; out.writeString(id); out.writeString(name); out.writeString(screenName); out.writeString(location); out.writeString(description); out.writeString(profileImageUrl); out.writeString(url); out.writeBooleanArray(boolArray); out.writeInt(friendsCount); out.writeInt(followersCount); out.writeInt(statusesCount); } public static final Parcelable.Creator<User> CREATOR = new Parcelable.Creator<User>() { public User createFromParcel(Parcel in) { return new User(in); } public User[] newArray(int size) { // return new User[size]; throw new UnsupportedOperationException(); } }; public User(Parcel in) { boolean[] boolArray = new boolean[] { isProtected, isFollowing }; id = in.readString(); name = in.readString(); screenName = in.readString(); location = in.readString(); description = in.readString(); profileImageUrl = in.readString(); url = in.readString(); in.readBooleanArray(boolArray); friendsCount = in.readInt(); followersCount = in.readInt(); statusesCount = in.readInt(); isProtected = boolArray[0]; isFollowing = boolArray[1]; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data/User.java
Java
asf20
2,793
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid.data; import java.util.Date; import org.json.JSONException; import org.json.JSONObject; import android.os.Parcel; import android.os.Parcelable; import android.text.TextUtils; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.fanfou.Status; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; import com.ch_linghu.fanfoudroid.util.TextHelper; public class Tweet extends Message implements Parcelable { private static final String TAG = "Tweet"; public com.ch_linghu.fanfoudroid.fanfou.User user; public String source; public String prevId; private int statusType = -1; // @see StatusTable#TYPE_* public void setStatusType(int type) { statusType = type; } public int getStatusType() { return statusType; } public Tweet() { } public static Tweet create(Status status) { Tweet tweet = new Tweet(); tweet.id = status.getId(); // 转义符放到getSimpleTweetText里去处理,这里不做处理 tweet.text = status.getText(); tweet.createdAt = status.getCreatedAt(); tweet.favorited = status.isFavorited() ? "true" : "false"; tweet.truncated = status.isTruncated() ? "true" : "false"; tweet.inReplyToStatusId = status.getInReplyToStatusId(); tweet.inReplyToUserId = status.getInReplyToUserId(); tweet.inReplyToScreenName = status.getInReplyToScreenName(); tweet.screenName = TextHelper.getSimpleTweetText(status.getUser() .getScreenName()); tweet.profileImageUrl = status.getUser().getProfileImageURL() .toString(); tweet.userId = status.getUser().getId(); tweet.user = status.getUser(); tweet.thumbnail_pic = status.getThumbnail_pic(); tweet.bmiddle_pic = status.getBmiddle_pic(); tweet.original_pic = status.getOriginal_pic(); tweet.source = TextHelper.getSimpleTweetText(status.getSource()); return tweet; } public static Tweet createFromSearchApi(JSONObject jsonObject) throws JSONException { Tweet tweet = new Tweet(); tweet.id = jsonObject.getString("id") + ""; // 转义符放到getSimpleTweetText里去处理,这里不做处理 tweet.text = jsonObject.getString("text"); tweet.createdAt = DateTimeHelper.parseSearchApiDateTime(jsonObject .getString("created_at")); tweet.favorited = jsonObject.getString("favorited"); tweet.truncated = jsonObject.getString("truncated"); tweet.inReplyToStatusId = jsonObject.getString("in_reply_to_status_id"); tweet.inReplyToUserId = jsonObject.getString("in_reply_to_user_id"); tweet.inReplyToScreenName = jsonObject .getString("in_reply_to_screen_name"); tweet.screenName = TextHelper.getSimpleTweetText(jsonObject .getString("from_user")); tweet.profileImageUrl = jsonObject.getString("profile_image_url"); tweet.userId = jsonObject.getString("from_user_id"); tweet.source = TextHelper.getSimpleTweetText(jsonObject .getString("source")); return tweet; } public static String buildMetaText(StringBuilder builder, Date createdAt, String source, String replyTo) { builder.setLength(0); builder.append(DateTimeHelper.getRelativeDate(createdAt)); builder.append(" "); builder.append(TwitterApplication.mContext .getString(R.string.tweet_source_prefix)); builder.append(source); if (!TextUtils.isEmpty(replyTo)) { builder.append(" " + TwitterApplication.mContext .getString(R.string.tweet_reply_to_prefix)); builder.append(replyTo); builder.append(TwitterApplication.mContext .getString(R.string.tweet_reply_to_suffix)); } return builder.toString(); } // For interface Parcelable public int describeContents() { return 0; } public void writeToParcel(Parcel out, int flags) { out.writeString(id); out.writeString(text); out.writeValue(createdAt); // Date out.writeString(screenName); out.writeString(favorited); out.writeString(inReplyToStatusId); out.writeString(inReplyToUserId); out.writeString(inReplyToScreenName); out.writeString(screenName); out.writeString(profileImageUrl); out.writeString(thumbnail_pic); out.writeString(bmiddle_pic); out.writeString(original_pic); out.writeString(userId); out.writeString(source); } public static final Parcelable.Creator<Tweet> CREATOR = new Parcelable.Creator<Tweet>() { public Tweet createFromParcel(Parcel in) { return new Tweet(in); } public Tweet[] newArray(int size) { // return new Tweet[size]; throw new UnsupportedOperationException(); } }; public Tweet(Parcel in) { id = in.readString(); text = in.readString(); createdAt = (Date) in.readValue(Date.class.getClassLoader()); screenName = in.readString(); favorited = in.readString(); inReplyToStatusId = in.readString(); inReplyToUserId = in.readString(); inReplyToScreenName = in.readString(); screenName = in.readString(); profileImageUrl = in.readString(); thumbnail_pic = in.readString(); bmiddle_pic = in.readString(); original_pic = in.readString(); userId = in.readString(); source = in.readString(); } @Override public String toString() { return "Tweet [source=" + source + ", id=" + id + ", screenName=" + screenName + ", text=" + text + ", profileImageUrl=" + profileImageUrl + ", createdAt=" + createdAt + ", userId=" + userId + ", favorited=" + favorited + ", inReplyToStatusId=" + inReplyToStatusId + ", inReplyToUserId=" + inReplyToUserId + ", inReplyToScreenName=" + inReplyToScreenName + "]"; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data/Tweet.java
Java
asf20
6,268
package com.ch_linghu.fanfoudroid.db; /** * All information of status table * */ public final class StatusTablesInfo { }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/StatusTablesInfo.java
Java
asf20
126
package com.ch_linghu.fanfoudroid.db; import android.database.Cursor; import android.provider.BaseColumns; import android.util.Log; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; /** * Table - Statuses <br /> * <br /> * 为节省流量,故此表不保证本地数据库中所有消息具有前后连贯性, 而只确保最新的MAX_ROW_NUM条<br /> * 数据的连贯性, 超出部分则视为垃圾数据, 不再允许读取, 也不保证其是前后连续的.<br /> * <br /> * 因为用户可能中途长时间停止使用本客户端,而换其他客户端(如网页), <br /> * 如果保证本地所有数据的连贯性, 那么就必须自动去下载所有本地缺失的中间数据,<br /> * 而这些数据极有可能是用户通过其他客户端阅读过的无用信息, 浪费了用户流量.<br /> * <br /> * 即认为相对于旧信息而言, 新信息对于用户更为价值, 所以只会新信息进行维护, <br /> * 而旧信息一律视为无用的, 如用户需要查看超过MAX_ROW_NUM的旧数据, 可主动点击, <br /> * 从而请求服务器. 本地只缓存最有价值的MAX条最新信息.<br /> * <br /> * 本地数据库中前MAX_ROW_NUM条的数据模拟一个定长列队, 即在尾部插入N条消息, 就会使得头部<br /> * 的N条消息被标记为垃圾数据(但并不立即收回),只有在认为数据库数据过多时,<br /> * 可手动调用 <code>StatusDatabase.gc(int type)</code> 方法进行垃圾清理.<br /> * * */ public final class StatusTable implements BaseColumns { public static final String TAG = "StatusTable"; // Status Types public static final int TYPE_HOME = 1; // 首页(我和我的好友) public static final int TYPE_MENTION = 2; // 提到我的 public static final int TYPE_USER = 3; // 指定USER的 public static final int TYPE_FAVORITE = 4; // 收藏 public static final int TYPE_BROWSE = 5; // 随便看看 public static final String TABLE_NAME = "status"; public static final int MAX_ROW_NUM = 20; // 单类型数据安全区域 public static final String OWNER_ID = "owner"; // 用于标识数据的所有者。以便于处理其他用户的信息(如其他用户的收藏) public static final String USER_ID = "uid"; public static final String USER_SCREEN_NAME = "screen_name"; public static final String PROFILE_IMAGE_URL = "profile_image_url"; public static final String CREATED_AT = "created_at"; public static final String TEXT = "text"; public static final String SOURCE = "source"; public static final String TRUNCATED = "truncated"; public static final String IN_REPLY_TO_STATUS_ID = "in_reply_to_status_id"; public static final String IN_REPLY_TO_USER_ID = "in_reply_to_user_id"; public static final String IN_REPLY_TO_SCREEN_NAME = "in_reply_to_screen_name"; public static final String FAVORITED = "favorited"; public static final String IS_UNREAD = "is_unread"; public static final String STATUS_TYPE = "status_type"; public static final String PIC_THUMB = "pic_thumbnail"; public static final String PIC_MID = "pic_middle"; public static final String PIC_ORIG = "pic_original"; // private static final String FIELD_PHOTO_URL = "photo_url"; // private double latitude = -1; // private double longitude = -1; // private String thumbnail_pic; // private String bmiddle_pic; // private String original_pic; public static final String[] TABLE_COLUMNS = new String[] { _ID, USER_SCREEN_NAME, TEXT, PROFILE_IMAGE_URL, IS_UNREAD, CREATED_AT, FAVORITED, IN_REPLY_TO_STATUS_ID, IN_REPLY_TO_USER_ID, IN_REPLY_TO_SCREEN_NAME, TRUNCATED, PIC_THUMB, PIC_MID, PIC_ORIG, SOURCE, USER_ID, STATUS_TYPE, OWNER_ID }; public static final String CREATE_TABLE = "CREATE TABLE " + TABLE_NAME + " (" + _ID + " text not null," + STATUS_TYPE + " text not null, " + OWNER_ID + " text not null, " + USER_ID + " text not null, " + USER_SCREEN_NAME + " text not null, " + TEXT + " text not null, " + PROFILE_IMAGE_URL + " text not null, " + IS_UNREAD + " boolean not null, " + CREATED_AT + " date not null, " + SOURCE + " text not null, " + FAVORITED + " text, " // TODO : text -> boolean + IN_REPLY_TO_STATUS_ID + " text, " + IN_REPLY_TO_USER_ID + " text, " + IN_REPLY_TO_SCREEN_NAME + " text, " + PIC_THUMB + " text, " + PIC_MID + " text, " + PIC_ORIG + " text, " + TRUNCATED + " boolean ," + "PRIMARY KEY (" + _ID + "," + OWNER_ID + "," + STATUS_TYPE + "))"; /** * 将游标解析为一条Tweet * * * @param cursor * 该方法不会移动或关闭游标 * @return 成功返回 Tweet 类型的单条数据, 失败返回null */ public static Tweet parseCursor(Cursor cursor) { if (null == cursor || 0 == cursor.getCount()) { Log.w(TAG, "Cann't parse Cursor, bacause cursor is null or empty."); return null; } else if (-1 == cursor.getPosition()) { cursor.moveToFirst(); } Tweet tweet = new Tweet(); tweet.id = cursor.getString(cursor.getColumnIndex(_ID)); tweet.createdAt = DateTimeHelper.parseDateTimeFromSqlite(cursor .getString(cursor.getColumnIndex(CREATED_AT))); tweet.favorited = cursor.getString(cursor.getColumnIndex(FAVORITED)); tweet.screenName = cursor.getString(cursor .getColumnIndex(USER_SCREEN_NAME)); tweet.userId = cursor.getString(cursor.getColumnIndex(USER_ID)); tweet.text = cursor.getString(cursor.getColumnIndex(TEXT)); tweet.source = cursor.getString(cursor.getColumnIndex(SOURCE)); tweet.profileImageUrl = cursor.getString(cursor .getColumnIndex(PROFILE_IMAGE_URL)); tweet.inReplyToScreenName = cursor.getString(cursor .getColumnIndex(IN_REPLY_TO_SCREEN_NAME)); tweet.inReplyToStatusId = cursor.getString(cursor .getColumnIndex(IN_REPLY_TO_STATUS_ID)); tweet.inReplyToUserId = cursor.getString(cursor .getColumnIndex(IN_REPLY_TO_USER_ID)); tweet.truncated = cursor.getString(cursor.getColumnIndex(TRUNCATED)); tweet.thumbnail_pic = cursor .getString(cursor.getColumnIndex(PIC_THUMB)); tweet.bmiddle_pic = cursor.getString(cursor.getColumnIndex(PIC_MID)); tweet.original_pic = cursor.getString(cursor.getColumnIndex(PIC_ORIG)); tweet.setStatusType(cursor.getInt(cursor.getColumnIndex(STATUS_TYPE))); return tweet; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/StatusTable.java
Java
asf20
6,291
package com.ch_linghu.fanfoudroid.db; import android.database.Cursor; import android.provider.BaseColumns; import android.util.Log; import com.ch_linghu.fanfoudroid.data.User; public final class UserInfoTable implements BaseColumns { public static final String TAG = "UserInfoTable"; public static final String TABLE_NAME = "userinfo"; public static final String FIELD_USER_NAME = "name"; public static final String FIELD_USER_SCREEN_NAME = "screen_name"; public static final String FIELD_LOCALTION = "location"; public static final String FIELD_DESCRIPTION = "description"; public static final String FIELD_PROFILE_IMAGE_URL = "profile_image_url"; public static final String FIELD_URL = "url"; public static final String FIELD_PROTECTED = "protected"; public static final String FIELD_FOLLOWERS_COUNT = "followers_count"; public static final String FIELD_FRIENDS_COUNT = "friends_count"; public static final String FIELD_FAVORITES_COUNT = "favourites_count"; public static final String FIELD_STATUSES_COUNT = "statuses_count"; public static final String FIELD_LAST_STATUS = "last_status"; public static final String FIELD_CREATED_AT = "created_at"; public static final String FIELD_FOLLOWING = "following"; public static final String FIELD_FOLLOWER_IDS = "follower_ids"; public static final String[] TABLE_COLUMNS = new String[] { _ID, FIELD_USER_NAME, FIELD_USER_SCREEN_NAME, FIELD_LOCALTION, FIELD_DESCRIPTION, FIELD_PROFILE_IMAGE_URL, FIELD_URL, FIELD_PROTECTED, FIELD_FOLLOWERS_COUNT, FIELD_FRIENDS_COUNT, FIELD_FAVORITES_COUNT, FIELD_STATUSES_COUNT, FIELD_LAST_STATUS, FIELD_CREATED_AT, FIELD_FOLLOWING }; public static final String CREATE_TABLE = "create table " + TABLE_NAME + " (" + _ID + " text primary key on conflict replace, " + FIELD_USER_NAME + " text not null, " + FIELD_USER_SCREEN_NAME + " text, " + FIELD_LOCALTION + " text, " + FIELD_DESCRIPTION + " text, " + FIELD_PROFILE_IMAGE_URL + " text, " + FIELD_URL + " text, " + FIELD_PROTECTED + " boolean, " + FIELD_FOLLOWERS_COUNT + " integer, " + FIELD_FRIENDS_COUNT + " integer, " + FIELD_FAVORITES_COUNT + " integer, " + FIELD_STATUSES_COUNT + " integer, " + FIELD_LAST_STATUS + " text, " + FIELD_CREATED_AT + " date, " + FIELD_FOLLOWING + " boolean " // +FIELD_FOLLOWER_IDS+" text" + ")"; /** * TODO: 将游标解析为一条用户信息 * * @param cursor * 该方法不会关闭游标 * @return 成功返回User类型的单条数据, 失败返回null */ public static User parseCursor(Cursor cursor) { if (null == cursor || 0 == cursor.getCount()) { Log.w(TAG, "Cann't parse Cursor, bacause cursor is null or empty."); return null; } User user = new User(); user.id = cursor.getString(cursor.getColumnIndex(_ID)); user.name = cursor.getString(cursor.getColumnIndex(FIELD_USER_NAME)); user.screenName = cursor.getString(cursor .getColumnIndex(FIELD_USER_SCREEN_NAME)); user.location = cursor .getString(cursor.getColumnIndex(FIELD_LOCALTION)); user.description = cursor.getString(cursor .getColumnIndex(FIELD_DESCRIPTION)); user.profileImageUrl = cursor.getString(cursor .getColumnIndex(FIELD_PROFILE_IMAGE_URL)); user.url = cursor.getString(cursor.getColumnIndex(FIELD_URL)); user.isProtected = (0 == cursor.getInt(cursor .getColumnIndex(FIELD_PROTECTED))) ? false : true; user.followersCount = cursor.getInt(cursor .getColumnIndex(FIELD_FOLLOWERS_COUNT)); user.lastStatus = cursor.getString(cursor .getColumnIndex(FIELD_LAST_STATUS)); user.friendsCount = cursor.getInt(cursor .getColumnIndex(FIELD_FRIENDS_COUNT)); user.favoritesCount = cursor.getInt(cursor .getColumnIndex(FIELD_FAVORITES_COUNT)); user.statusesCount = cursor.getInt(cursor .getColumnIndex(FIELD_STATUSES_COUNT)); user.isFollowing = (0 == cursor.getInt(cursor .getColumnIndex(FIELD_FOLLOWING))) ? false : true; // TODO:报空指针异常,待查 // try { // user.createdAt = // StatusDatabase.DB_DATE_FORMATTER.parse(cursor.getString(cursor.getColumnIndex(MessageTable.FIELD_CREATED_AT))); // } catch (ParseException e) { // Log.w(TAG, "Invalid created at data."); // } return user; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/UserInfoTable.java
Java
asf20
4,342
package com.ch_linghu.fanfoudroid.db; import java.io.File; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.List; import java.util.Locale; import android.content.ContentValues; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteDatabase.CursorFactory; import android.database.sqlite.SQLiteOpenHelper; import android.text.TextUtils; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.dao.StatusDAO; import com.ch_linghu.fanfoudroid.data.Dm; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.fanfou.Status; import com.ch_linghu.fanfoudroid.util.DebugTimer; /** * A Database which contains all statuses and direct-messages, use * getInstane(Context) to get a new instance * */ public class TwitterDatabase { private static final String TAG = "TwitterDatabase"; private static final String DATABASE_NAME = "status_db"; private static final int DATABASE_VERSION = 1; private static TwitterDatabase instance = null; private static DatabaseHelper mOpenHelper = null; private Context mContext = null; /** * SQLiteOpenHelper * */ private static class DatabaseHelper extends SQLiteOpenHelper { // Construct public DatabaseHelper(Context context, String name, CursorFactory factory, int version) { super(context, name, factory, version); } public DatabaseHelper(Context context, String name) { this(context, name, DATABASE_VERSION); } public DatabaseHelper(Context context) { this(context, DATABASE_NAME, DATABASE_VERSION); } public DatabaseHelper(Context context, int version) { this(context, DATABASE_NAME, null, version); } public DatabaseHelper(Context context, String name, int version) { this(context, name, null, version); } @Override public void onCreate(SQLiteDatabase db) { Log.d(TAG, "Create Database."); // Log.d(TAG, StatusTable.STATUS_TABLE_CREATE); db.execSQL(StatusTable.CREATE_TABLE); db.execSQL(MessageTable.CREATE_TABLE); db.execSQL(FollowTable.CREATE_TABLE); // 2011.03.01 add beta db.execSQL(UserInfoTable.CREATE_TABLE); } @Override public synchronized void close() { Log.d(TAG, "Close Database."); super.close(); } @Override public void onOpen(SQLiteDatabase db) { Log.d(TAG, "Open Database."); super.onOpen(db); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { Log.d(TAG, "Upgrade Database."); dropAllTables(db); } private void dropAllTables(SQLiteDatabase db) { db.execSQL("DROP TABLE IF EXISTS " + StatusTable.TABLE_NAME); db.execSQL("DROP TABLE IF EXISTS " + MessageTable.TABLE_NAME); db.execSQL("DROP TABLE IF EXISTS " + FollowTable.TABLE_NAME); // 2011.03.01 add db.execSQL("DROP TABLE IF EXISTS " + UserInfoTable.TABLE_NAME); } } private TwitterDatabase(Context context) { mContext = context; mOpenHelper = new DatabaseHelper(context); } public static synchronized TwitterDatabase getInstance(Context context) { if (null == instance) { return new TwitterDatabase(context); } return instance; } // 测试用 public SQLiteOpenHelper getSQLiteOpenHelper() { return mOpenHelper; } public static SQLiteDatabase getDb(boolean writeable) { if (writeable) { return mOpenHelper.getWritableDatabase(); } else { return mOpenHelper.getReadableDatabase(); } } public void close() { if (null != instance) { mOpenHelper.close(); instance = null; } } /** * 清空所有表中数据, 谨慎使用 * */ public void clearData() { SQLiteDatabase db = mOpenHelper.getWritableDatabase(); db.execSQL("DELETE FROM " + StatusTable.TABLE_NAME); db.execSQL("DELETE FROM " + MessageTable.TABLE_NAME); db.execSQL("DELETE FROM " + FollowTable.TABLE_NAME); // 2011.03.01 add db.execSQL("DELETE FROM " + UserInfoTable.TABLE_NAME); } /** * 直接删除数据库文件, 调试用 * * @return true if this file was deleted, false otherwise. * @deprecated */ private boolean deleteDatabase() { File dbFile = mContext.getDatabasePath(DATABASE_NAME); return dbFile.delete(); } /** * 取出某类型的一条消息 * * @param tweetId * @param type * of status <li>StatusTable.TYPE_HOME</li> <li> * StatusTable.TYPE_MENTION</li> <li>StatusTable.TYPE_USER</li> * <li>StatusTable.TYPE_FAVORITE</li> <li>-1 means all types</li> * @return 将Cursor转换过的Tweet对象 * @deprecated use StatusDAO#findStatus() */ public Tweet queryTweet(String tweetId, int type) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); String selection = StatusTable._ID + "=? "; if (-1 != type) { selection += " AND " + StatusTable.STATUS_TYPE + "=" + type; } Cursor cursor = Db.query(StatusTable.TABLE_NAME, StatusTable.TABLE_COLUMNS, selection, new String[] { tweetId }, null, null, null); Tweet tweet = null; if (cursor != null) { cursor.moveToFirst(); if (cursor.getCount() > 0) { tweet = StatusTable.parseCursor(cursor); } } cursor.close(); return tweet; } /** * 快速检查某条消息是否存在(指定类型) * * @param tweetId * @param type * <li>StatusTable.TYPE_HOME</li> <li>StatusTable.TYPE_MENTION</li> * <li>StatusTable.TYPE_USER</li> <li>StatusTable.TYPE_FAVORITE</li> * @return is exists * @deprecated use StatusDAO#isExists() */ public boolean isExists(String tweetId, String owner, int type) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); boolean result = false; Cursor cursor = Db.query(StatusTable.TABLE_NAME, new String[] { StatusTable._ID }, StatusTable._ID + " =? AND " + StatusTable.OWNER_ID + "=? AND " + StatusTable.STATUS_TYPE + " = " + type, new String[] { tweetId, owner }, null, null, null); if (cursor != null && cursor.getCount() > 0) { result = true; } cursor.close(); return result; } /** * 删除一条消息 * * @param tweetId * @param type * -1 means all types * @return the number of rows affected if a whereClause is passed in, 0 * otherwise. To remove all rows and get a count pass "1" as the * whereClause. * @deprecated use {@link StatusDAO#deleteStatus(String, String, int)} */ public int deleteTweet(String tweetId, String owner, int type) { SQLiteDatabase db = mOpenHelper.getWritableDatabase(); String where = StatusTable._ID + " =? "; if (!TextUtils.isEmpty(owner)) { where += " AND " + StatusTable.OWNER_ID + " = '" + owner + "' "; } if (-1 != type) { where += " AND " + StatusTable.STATUS_TYPE + " = " + type; } return db.delete(StatusTable.TABLE_NAME, where, new String[] { tweetId }); } /** * 删除超过MAX_ROW_NUM垃圾数据 * * @param type * <li>StatusTable.TYPE_HOME</li> <li>StatusTable.TYPE_MENTION</li> * <li>StatusTable.TYPE_USER</li> <li>StatusTable.TYPE_FAVORITE</li> * <li>-1 means all types</li> */ public void gc(String owner, int type) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); String sql = "DELETE FROM " + StatusTable.TABLE_NAME + " WHERE " + StatusTable._ID + " NOT IN " + " (SELECT " + StatusTable._ID // 子句 + " FROM " + StatusTable.TABLE_NAME; boolean first = true; if (!TextUtils.isEmpty(owner)) { sql += " WHERE " + StatusTable.OWNER_ID + " = '" + owner + "' "; first = false; } if (type != -1) { if (first) { sql += " WHERE "; } else { sql += " AND "; } sql += StatusTable.STATUS_TYPE + " = " + type + " "; } sql += " ORDER BY " + StatusTable.CREATED_AT + " DESC LIMIT " + StatusTable.MAX_ROW_NUM + ")"; if (!TextUtils.isEmpty(owner)) { sql += " AND " + StatusTable.OWNER_ID + " = '" + owner + "' "; } if (type != -1) { sql += " AND " + StatusTable.STATUS_TYPE + " = " + type + " "; } Log.v(TAG, sql); mDb.execSQL(sql); } public final static DateFormat DB_DATE_FORMATTER = new SimpleDateFormat( "yyyy-MM-dd'T'HH:mm:ss.SSS", Locale.US); private static final int CONFLICT_REPLACE = 0x00000005; /** * 向Status表中写入一行数据, 此方法为私有方法, 外部插入数据请使用 putTweets() * * @param tweet * 需要写入的单条消息 * @return the row ID of the newly inserted row, or -1 if an error occurred * @deprecated use {@link StatusDAO#insertStatus(Status, boolean)} */ public long insertTweet(Tweet tweet, String owner, int type, boolean isUnread) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); if (isExists(tweet.id, owner, type)) { Log.w(TAG, tweet.id + "is exists."); return -1; } ContentValues initialValues = makeTweetValues(tweet, owner, type, isUnread); long id = Db.insert(StatusTable.TABLE_NAME, null, initialValues); if (-1 == id) { Log.e(TAG, "cann't insert the tweet : " + tweet.toString()); } else { // Log.v(TAG, "Insert a status into database : " + // tweet.toString()); } return id; } /** * 更新一条消息 * * @param tweetId * @param values * ContentValues 需要更新字段的键值对 * @return the number of rows affected * @deprecated use {@link StatusDAO#updateStatus(String, ContentValues)} */ public int updateTweet(String tweetId, ContentValues values) { Log.v(TAG, "Update Tweet : " + tweetId + " " + values.toString()); SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); return Db.update(StatusTable.TABLE_NAME, values, StatusTable._ID + "=?", new String[] { tweetId }); } /** @deprecated */ private ContentValues makeTweetValues(Tweet tweet, String owner, int type, boolean isUnread) { // 插入一条新消息 ContentValues initialValues = new ContentValues(); initialValues.put(StatusTable.OWNER_ID, owner); initialValues.put(StatusTable.STATUS_TYPE, type); initialValues.put(StatusTable._ID, tweet.id); initialValues.put(StatusTable.TEXT, tweet.text); initialValues.put(StatusTable.USER_ID, tweet.userId); initialValues.put(StatusTable.USER_SCREEN_NAME, tweet.screenName); initialValues.put(StatusTable.PROFILE_IMAGE_URL, tweet.profileImageUrl); initialValues.put(StatusTable.PIC_THUMB, tweet.thumbnail_pic); initialValues.put(StatusTable.PIC_MID, tweet.bmiddle_pic); initialValues.put(StatusTable.PIC_ORIG, tweet.original_pic); initialValues.put(StatusTable.FAVORITED, tweet.favorited); initialValues.put(StatusTable.IN_REPLY_TO_STATUS_ID, tweet.inReplyToStatusId); initialValues.put(StatusTable.IN_REPLY_TO_USER_ID, tweet.inReplyToUserId); initialValues.put(StatusTable.IN_REPLY_TO_SCREEN_NAME, tweet.inReplyToScreenName); // initialValues.put(FIELD_IS_REPLY, tweet.isReply()); initialValues.put(StatusTable.CREATED_AT, DB_DATE_FORMATTER.format(tweet.createdAt)); initialValues.put(StatusTable.SOURCE, tweet.source); initialValues.put(StatusTable.IS_UNREAD, isUnread); initialValues.put(StatusTable.TRUNCATED, tweet.truncated); // TODO: truncated return initialValues; } /** * 写入N条消息 * * @param tweets * 需要写入的消息List * @return 写入的记录条数 */ public int putTweets(List<Tweet> tweets, String owner, int type, boolean isUnread) { if (TwitterApplication.DEBUG) { DebugTimer.betweenStart("Status DB"); } if (null == tweets || 0 == tweets.size()) { return 0; } SQLiteDatabase db = mOpenHelper.getWritableDatabase(); int result = 0; try { db.beginTransaction(); for (int i = tweets.size() - 1; i >= 0; i--) { Tweet tweet = tweets.get(i); Log.d(TAG, "insertTweet, tweet id=" + tweet.id); if (TextUtils.isEmpty(tweet.id) || tweet.id.equals("false")){ Log.e(TAG, "tweet id is null, ghost message encounted"); continue; } ContentValues initialValues = makeTweetValues(tweet, owner, type, isUnread); long id = db .insert(StatusTable.TABLE_NAME, null, initialValues); if (-1 == id) { Log.e(TAG, "cann't insert the tweet : " + tweet.toString()); } else { ++result; // Log.v(TAG, // String.format("Insert a status into database[%s] : %s", // owner, tweet.toString())); Log.v("TAG", "Insert Status"); } } // gc(type); // 保持总量 db.setTransactionSuccessful(); } finally { db.endTransaction(); } if (TwitterApplication.DEBUG) { DebugTimer.betweenEnd("Status DB"); } return result; } /** * 取出指定用户的某一类型的所有消息 * * @param userId * @param tableName * @return a cursor * @deprecated use {@link StatusDAO#findStatuses(String, int)} */ public Cursor fetchAllTweets(String owner, int type) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); return mDb.query(StatusTable.TABLE_NAME, StatusTable.TABLE_COLUMNS, StatusTable.OWNER_ID + " = ? AND " + StatusTable.STATUS_TYPE + " = " + type, new String[] { owner }, null, null, StatusTable.CREATED_AT + " DESC "); // LIMIT " + StatusTable.MAX_ROW_NUM); } /** * 取出自己的某一类型的所有消息 * * @param tableName * @return a cursor */ public Cursor fetchAllTweets(int type) { // 获取登录用户id SharedPreferences preferences = TwitterApplication.mPref; String myself = preferences.getString(Preferences.CURRENT_USER_ID, TwitterApplication.mApi.getUserId()); return fetchAllTweets(myself, type); } /** * 清空某类型的所有信息 * * @param tableName * @return the number of rows affected if a whereClause is passed in, 0 * otherwise. To remove all rows and get a count pass "1" as the * whereClause. */ public int dropAllTweets(int type) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); return mDb.delete(StatusTable.TABLE_NAME, StatusTable.STATUS_TYPE + " = " + type, null); } /** * 取出本地某类型最新消息ID * * @param type * @return The newest Status Id */ public String fetchMaxTweetId(String owner, int type) { return fetchMaxOrMinTweetId(owner, type, true); } /** * 取出本地某类型最旧消息ID * * @param tableName * @return The oldest Status Id */ public String fetchMinTweetId(String owner, int type) { return fetchMaxOrMinTweetId(owner, type, false); } private String fetchMaxOrMinTweetId(String owner, int type, boolean isMax) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); String sql = "SELECT " + StatusTable._ID + " FROM " + StatusTable.TABLE_NAME + " WHERE " + StatusTable.STATUS_TYPE + " = " + type + " AND " + StatusTable.OWNER_ID + " = '" + owner + "' " + " ORDER BY " + StatusTable.CREATED_AT; if (isMax) sql += " DESC "; Cursor mCursor = mDb.rawQuery(sql + " LIMIT 1", null); String result = null; if (mCursor == null) { return result; } mCursor.moveToFirst(); if (mCursor.getCount() == 0) { result = null; } else { result = mCursor.getString(0); } mCursor.close(); return result; } /** * Count unread tweet * * @param tableName * @return */ public int fetchUnreadCount(String owner, int type) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); Cursor mCursor = mDb.rawQuery("SELECT COUNT(" + StatusTable._ID + ")" + " FROM " + StatusTable.TABLE_NAME + " WHERE " + StatusTable.STATUS_TYPE + " = " + type + " AND " + StatusTable.OWNER_ID + " = '" + owner + "' AND " + StatusTable.IS_UNREAD + " = 1 ", // "LIMIT " + StatusTable.MAX_ROW_NUM, null); int result = 0; if (mCursor == null) { return result; } mCursor.moveToFirst(); result = mCursor.getInt(0); mCursor.close(); return result; } public int addNewTweetsAndCountUnread(List<Tweet> tweets, String owner, int type) { putTweets(tweets, owner, type, true); return fetchUnreadCount(owner, type); } /** * Set isFavorited * * @param tweetId * @param isFavorited * @return Is Succeed * @deprecated use {@link Status#setFavorited(boolean)} and * {@link StatusDAO#updateStatus(Status)} */ public boolean setFavorited(String tweetId, String isFavorited) { ContentValues values = new ContentValues(); values.put(StatusTable.FAVORITED, isFavorited); int i = updateTweet(tweetId, values); return (i > 0) ? true : false; } // DM & Follower /** * 写入一条私信 * * @param dm * @param isUnread * @return the row ID of the newly inserted row, or -1 if an error occurred, * 因为主键的原因,此处返回的不是 _ID 的值, 而是一个自增长的 row_id */ public long createDm(Dm dm, boolean isUnread) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues initialValues = new ContentValues(); initialValues.put(MessageTable._ID, dm.id); initialValues.put(MessageTable.FIELD_USER_SCREEN_NAME, dm.screenName); initialValues.put(MessageTable.FIELD_TEXT, dm.text); initialValues.put(MessageTable.FIELD_PROFILE_IMAGE_URL, dm.profileImageUrl); initialValues.put(MessageTable.FIELD_IS_UNREAD, isUnread); initialValues.put(MessageTable.FIELD_IS_SENT, dm.isSent); initialValues.put(MessageTable.FIELD_CREATED_AT, DB_DATE_FORMATTER.format(dm.createdAt)); initialValues.put(MessageTable.FIELD_USER_ID, dm.userId); return mDb.insert(MessageTable.TABLE_NAME, null, initialValues); } // /** * Create a follower * * @param userId * @return the row ID of the newly inserted row, or -1 if an error occurred */ public long createFollower(String userId) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues initialValues = new ContentValues(); initialValues.put(FollowTable._ID, userId); long rowId = mDb.insert(FollowTable.TABLE_NAME, null, initialValues); if (-1 == rowId) { Log.e(TAG, "Cann't create Follower : " + userId); } else { Log.v(TAG, "Success create follower : " + userId); } return rowId; } /** * 清空Followers表并添加新内容 * * @param followers */ public void syncFollowers(List<String> followers) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); try { mDb.beginTransaction(); boolean result = deleteAllFollowers(); Log.v(TAG, "Result of DeleteAllFollowers: " + result); for (String userId : followers) { createFollower(userId); } mDb.setTransactionSuccessful(); } finally { mDb.endTransaction(); } } /** * @param type * <li>MessageTable.TYPE_SENT</li> <li>MessageTable.TYPE_GET</li> * <li>其他任何值都认为取出所有类型</li> * @return */ public Cursor fetchAllDms(int type) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); String selection = null; if (MessageTable.TYPE_SENT == type) { selection = MessageTable.FIELD_IS_SENT + " = " + MessageTable.TYPE_SENT; } else if (MessageTable.TYPE_GET == type) { selection = MessageTable.FIELD_IS_SENT + " = " + MessageTable.TYPE_GET; } return mDb.query(MessageTable.TABLE_NAME, MessageTable.TABLE_COLUMNS, selection, null, null, null, MessageTable.FIELD_CREATED_AT + " DESC"); } public Cursor fetchInboxDms() { return fetchAllDms(MessageTable.TYPE_GET); } public Cursor fetchSendboxDms() { return fetchAllDms(MessageTable.TYPE_SENT); } public Cursor fetchAllFollowers() { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); return mDb.query(FollowTable.TABLE_NAME, FollowTable.TABLE_COLUMNS, null, null, null, null, null); } /** * FIXME: * * @param filter * @return */ public Cursor getFollowerUsernames(String filter) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); String likeFilter = '%' + filter + '%'; // FIXME: 此方法的作用应该是在于在写私信时自动完成联系人的功能, // 改造数据库后,因为本地tweets表中的数据有限, 所以几乎使得该功能没有实际价值(因为能从数据库中读到的联系人很少) // 在完成关注者/被关注者两个界面后, 看能不能使得本地有一份 // [互相关注] 的 id/name 缓存(即getFriendsIds和getFollowersIds的交集, 因为客户端只能给他们发私信, // 如果按现在 // 只提示followers的列表则很容易造成服务器返回"只能给互相关注的人发私信"的错误信息, 这会造成用户无法理解, // 因为此联系人是我们提供给他们选择的, // 并且将目前的自动完成功能的基础上加一个[选择联系人]按钮, 用于启动一个新的联系人列表页面以显示所有可发送私信的联系人对象, // 类似手机写短信时的选择联系人功能 return null; // FIXME: clean this up. 新数据库中失效, 表名, 列名 // return mDb.rawQuery( // "SELECT user_id AS _id, user" // + " FROM (SELECT user_id, user FROM tweets" // + " INNER JOIN followers on tweets.user_id = followers._id UNION" // + " SELECT user_id, user FROM dms INNER JOIN followers" // + " on dms.user_id = followers._id)" // + " WHERE user LIKE ?" // + " ORDER BY user COLLATE NOCASE", // new String[] { likeFilter }); } /** * @param userId * 该用户是否follow Me * @deprecated 未使用 * @return */ public boolean isFollower(String userId) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); Cursor cursor = mDb.query(FollowTable.TABLE_NAME, FollowTable.TABLE_COLUMNS, FollowTable._ID + "= ?", new String[] { userId }, null, null, null); boolean result = false; if (cursor != null && cursor.moveToFirst()) { result = true; } cursor.close(); return result; } public boolean deleteAllFollowers() { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); return mDb.delete(FollowTable.TABLE_NAME, null, null) > 0; } public boolean deleteDm(String id) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); return mDb.delete(MessageTable.TABLE_NAME, String.format("%s = '%s'", MessageTable._ID, id), null) > 0; } /** * @param tableName * @return the number of rows affected */ public int markAllTweetsRead(String owner, int type) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues values = new ContentValues(); values.put(StatusTable.IS_UNREAD, 0); return mDb.update(StatusTable.TABLE_NAME, values, StatusTable.STATUS_TYPE + "=" + type, null); } public boolean deleteAllDms() { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); return mDb.delete(MessageTable.TABLE_NAME, null, null) > 0; } public int markAllDmsRead() { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues values = new ContentValues(); values.put(MessageTable.FIELD_IS_UNREAD, 0); return mDb.update(MessageTable.TABLE_NAME, values, null, null); } public String fetchMaxDmId(boolean isSent) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); Cursor mCursor = mDb.rawQuery("SELECT " + MessageTable._ID + " FROM " + MessageTable.TABLE_NAME + " WHERE " + MessageTable.FIELD_IS_SENT + " = ? " + " ORDER BY " + MessageTable.FIELD_CREATED_AT + " DESC LIMIT 1", new String[] { isSent ? "1" : "0" }); String result = null; if (mCursor == null) { return result; } mCursor.moveToFirst(); if (mCursor.getCount() == 0) { result = null; } else { result = mCursor.getString(0); } mCursor.close(); return result; } public int addNewDmsAndCountUnread(List<Dm> dms) { addDms(dms, true); return fetchUnreadDmCount(); } public int fetchDmCount() { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); Cursor mCursor = mDb.rawQuery("SELECT COUNT(" + MessageTable._ID + ") FROM " + MessageTable.TABLE_NAME, null); int result = 0; if (mCursor == null) { return result; } mCursor.moveToFirst(); result = mCursor.getInt(0); mCursor.close(); return result; } private int fetchUnreadDmCount() { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); Cursor mCursor = mDb.rawQuery("SELECT COUNT(" + MessageTable._ID + ") FROM " + MessageTable.TABLE_NAME + " WHERE " + MessageTable.FIELD_IS_UNREAD + " = 1", null); int result = 0; if (mCursor == null) { return result; } mCursor.moveToFirst(); result = mCursor.getInt(0); mCursor.close(); return result; } public void addDms(List<Dm> dms, boolean isUnread) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); try { mDb.beginTransaction(); for (Dm dm : dms) { createDm(dm, isUnread); } // limitRows(TABLE_DIRECTMESSAGE, TwitterApi.RETRIEVE_LIMIT); mDb.setTransactionSuccessful(); } finally { mDb.endTransaction(); } } // 2011.03.01 add // UserInfo操作 public Cursor getAllUserInfo() { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); return mDb.query(UserInfoTable.TABLE_NAME, UserInfoTable.TABLE_COLUMNS, null, null, null, null, null); } /** * 根据id列表获取user数据 * * @param userIds * @return */ public Cursor getUserInfoByIds(String[] userIds) { SQLiteDatabase mDb = mOpenHelper.getReadableDatabase(); String userIdStr = ""; for (String id : userIds) { userIdStr += "'" + id + "',"; } if (userIds.length == 0) { userIdStr = "'',"; } userIdStr = userIdStr.substring(0, userIdStr.lastIndexOf(","));// 删除最后的逗号 return mDb.query(UserInfoTable.TABLE_NAME, UserInfoTable.TABLE_COLUMNS, UserInfoTable._ID + " in (" + userIdStr + ")", null, null, null, null); } /** * 新建用户 * * @param user * @return the row ID of the newly inserted row, or -1 if an error occurred */ public long createUserInfo(com.ch_linghu.fanfoudroid.data.User user) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues initialValues = new ContentValues(); initialValues.put(UserInfoTable._ID, user.id); initialValues.put(UserInfoTable.FIELD_USER_NAME, user.name); initialValues .put(UserInfoTable.FIELD_USER_SCREEN_NAME, user.screenName); initialValues.put(UserInfoTable.FIELD_LOCALTION, user.location); initialValues.put(UserInfoTable.FIELD_DESCRIPTION, user.description); initialValues.put(UserInfoTable.FIELD_PROFILE_IMAGE_URL, user.profileImageUrl); initialValues.put(UserInfoTable.FIELD_URL, user.url); initialValues.put(UserInfoTable.FIELD_PROTECTED, user.isProtected); initialValues.put(UserInfoTable.FIELD_FOLLOWERS_COUNT, user.followersCount); initialValues.put(UserInfoTable.FIELD_LAST_STATUS, user.lastStatus); initialValues.put(UserInfoTable.FIELD_FRIENDS_COUNT, user.friendsCount); initialValues.put(UserInfoTable.FIELD_FAVORITES_COUNT, user.favoritesCount); initialValues.put(UserInfoTable.FIELD_STATUSES_COUNT, user.statusesCount); initialValues.put(UserInfoTable.FIELD_FOLLOWING, user.isFollowing); // long rowId = mDb.insertWithOnConflict(UserInfoTable.TABLE_NAME, null, // initialValues,SQLiteDatabase.CONFLICT_REPLACE); long rowId = insertWithOnConflict(mDb, UserInfoTable.TABLE_NAME, null, initialValues, CONFLICT_REPLACE); if (-1 == rowId) { Log.e(TAG, "Cann't create user : " + user.id); } else { Log.v(TAG, "create create user : " + user.id); } return rowId; } // SQLiteDatabase.insertWithConflict是LEVEL 8(2.2)才引入的新方法 // 为了兼容旧版,这里给出一个简化的兼容实现 // 要注意的是这个实现和标准的函数行为并不完全一致 private long insertWithOnConflict(SQLiteDatabase db, String tableName, String nullColumnHack, ContentValues initialValues, int conflictReplace) { long rowId = db.insert(tableName, nullColumnHack, initialValues); if (-1 == rowId) { // 尝试update rowId = db.update(tableName, initialValues, UserInfoTable._ID + "=" + initialValues.getAsString(UserInfoTable._ID), null); } return rowId; } public long createWeiboUserInfo(com.ch_linghu.fanfoudroid.fanfou.User user) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); ContentValues args = new ContentValues(); args.put(UserInfoTable._ID, user.getId()); args.put(UserInfoTable.FIELD_USER_NAME, user.getName()); args.put(UserInfoTable.FIELD_USER_SCREEN_NAME, user.getScreenName()); String location = user.getLocation(); args.put(UserInfoTable.FIELD_LOCALTION, location); String description = user.getDescription(); args.put(UserInfoTable.FIELD_DESCRIPTION, description); args.put(UserInfoTable.FIELD_PROFILE_IMAGE_URL, user .getProfileImageURL().toString()); if (user.getURL() != null) { args.put(UserInfoTable.FIELD_URL, user.getURL().toString()); } args.put(UserInfoTable.FIELD_PROTECTED, user.isProtected()); args.put(UserInfoTable.FIELD_FOLLOWERS_COUNT, user.getFollowersCount()); args.put(UserInfoTable.FIELD_LAST_STATUS, user.getStatusSource()); args.put(UserInfoTable.FIELD_FRIENDS_COUNT, user.getFriendsCount()); args.put(UserInfoTable.FIELD_FAVORITES_COUNT, user.getFavouritesCount()); args.put(UserInfoTable.FIELD_STATUSES_COUNT, user.getStatusesCount()); args.put(UserInfoTable.FIELD_FOLLOWING, user.isFollowing()); // long rowId = mDb.insert(UserInfoTable.TABLE_NAME, null, args); // 省去判断existUser,如果存在数据则replace // long rowId=mDb.insertWithOnConflict(UserInfoTable.TABLE_NAME, null, // args, SQLiteDatabase.CONFLICT_REPLACE); long rowId = insertWithOnConflict(mDb, UserInfoTable.TABLE_NAME, null, args, CONFLICT_REPLACE); if (-1 == rowId) { Log.e(TAG, "Cann't createWeiboUserInfo : " + user.getId()); } else { Log.v(TAG, "create createWeiboUserInfo : " + user.getId()); } return rowId; } /** * 查看数据是否已保存用户数据 * * @param userId * @return */ public boolean existsUser(String userId) { SQLiteDatabase Db = mOpenHelper.getReadableDatabase(); boolean result = false; Cursor cursor = Db.query(UserInfoTable.TABLE_NAME, new String[] { UserInfoTable._ID }, UserInfoTable._ID + "='" + userId + "'", null, null, null, null); Log.v("testesetesteste", String.valueOf(cursor.getCount())); if (cursor != null && cursor.getCount() > 0) { result = true; } cursor.close(); return result; } /** * 根据userid提取信息 * * @param userId * @return */ public Cursor getUserInfoById(String userId) { SQLiteDatabase Db = mOpenHelper.getReadableDatabase(); Cursor cursor = Db.query(UserInfoTable.TABLE_NAME, UserInfoTable.TABLE_COLUMNS, UserInfoTable._ID + " = '" + userId + "'", null, null, null, null); return cursor; } /** * 更新用户 * * @param uid * @param args * @return */ public boolean updateUser(String uid, ContentValues args) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); return Db.update(UserInfoTable.TABLE_NAME, args, UserInfoTable._ID + "='" + uid + "'", null) > 0; } /** * 更新用户信息 */ public boolean updateUser(com.ch_linghu.fanfoudroid.data.User user) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); ContentValues args = new ContentValues(); args.put(UserInfoTable._ID, user.id); args.put(UserInfoTable.FIELD_USER_NAME, user.name); args.put(UserInfoTable.FIELD_USER_SCREEN_NAME, user.screenName); args.put(UserInfoTable.FIELD_LOCALTION, user.location); args.put(UserInfoTable.FIELD_DESCRIPTION, user.description); args.put(UserInfoTable.FIELD_PROFILE_IMAGE_URL, user.profileImageUrl); args.put(UserInfoTable.FIELD_URL, user.url); args.put(UserInfoTable.FIELD_PROTECTED, user.isProtected); args.put(UserInfoTable.FIELD_FOLLOWERS_COUNT, user.followersCount); args.put(UserInfoTable.FIELD_LAST_STATUS, user.lastStatus); args.put(UserInfoTable.FIELD_FRIENDS_COUNT, user.friendsCount); args.put(UserInfoTable.FIELD_FAVORITES_COUNT, user.favoritesCount); args.put(UserInfoTable.FIELD_STATUSES_COUNT, user.statusesCount); args.put(UserInfoTable.FIELD_FOLLOWING, user.isFollowing); return Db.update(UserInfoTable.TABLE_NAME, args, UserInfoTable._ID + "='" + user.id + "'", null) > 0; } /** * 减少转换的开销 * * @param user * @return */ public boolean updateWeiboUser(com.ch_linghu.fanfoudroid.fanfou.User user) { SQLiteDatabase Db = mOpenHelper.getWritableDatabase(); ContentValues args = new ContentValues(); args.put(UserInfoTable._ID, user.getName()); args.put(UserInfoTable.FIELD_USER_NAME, user.getName()); args.put(UserInfoTable.FIELD_USER_SCREEN_NAME, user.getScreenName()); String location = user.getLocation(); args.put(UserInfoTable.FIELD_LOCALTION, location); String description = user.getDescription(); args.put(UserInfoTable.FIELD_DESCRIPTION, description); args.put(UserInfoTable.FIELD_PROFILE_IMAGE_URL, user .getProfileImageURL().toString()); if (user.getURL() != null) { args.put(UserInfoTable.FIELD_URL, user.getURL().toString()); } args.put(UserInfoTable.FIELD_PROTECTED, user.isProtected()); args.put(UserInfoTable.FIELD_FOLLOWERS_COUNT, user.getFollowersCount()); args.put(UserInfoTable.FIELD_LAST_STATUS, user.getStatusSource()); args.put(UserInfoTable.FIELD_FRIENDS_COUNT, user.getFriendsCount()); args.put(UserInfoTable.FIELD_FAVORITES_COUNT, user.getFavouritesCount()); args.put(UserInfoTable.FIELD_STATUSES_COUNT, user.getStatusesCount()); args.put(UserInfoTable.FIELD_FOLLOWING, user.isFollowing()); return Db.update(UserInfoTable.TABLE_NAME, args, UserInfoTable._ID + "='" + user.getId() + "'", null) > 0; } /** * 同步用户,更新已存在的用户,插入未存在的用户 */ public void syncUsers(List<com.ch_linghu.fanfoudroid.data.User> users) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); try { mDb.beginTransaction(); for (com.ch_linghu.fanfoudroid.data.User u : users) { // if(existsUser(u.id)){ // updateUser(u); // }else{ // createUserInfo(u); // } createUserInfo(u); } mDb.setTransactionSuccessful(); } finally { mDb.endTransaction(); } } public void syncWeiboUsers(List<com.ch_linghu.fanfoudroid.fanfou.User> users) { SQLiteDatabase mDb = mOpenHelper.getWritableDatabase(); try { mDb.beginTransaction(); for (com.ch_linghu.fanfoudroid.fanfou.User u : users) { // if (existsUser(u.getId())) { // updateWeiboUser(u); // } else { // createWeiboUserInfo(u); // } createWeiboUserInfo(u); } mDb.setTransactionSuccessful(); } finally { mDb.endTransaction(); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/TwitterDatabase.java
Java
asf20
34,712
package com.ch_linghu.fanfoudroid.db; import java.text.ParseException; import android.database.Cursor; import android.provider.BaseColumns; import android.util.Log; import com.ch_linghu.fanfoudroid.data.User; /** * Table - Followers * */ public final class FollowTable implements BaseColumns { public static final String TAG = "FollowTable"; public static final String TABLE_NAME = "followers"; public static final String FIELD_USER_NAME = "name"; public static final String FIELD_USER_SCREEN_NAME = "screen_name"; public static final String FIELD_LOCALTION = "location"; public static final String FIELD_DESCRIPTION = "description"; public static final String FIELD_PROFILE_IMAGE_URL = "profile_image_url"; public static final String FIELD_URL = "url"; public static final String FIELD_PROTECTED = "protected"; public static final String FIELD_FOLLOWERS_COUNT = "followers_count"; public static final String FIELD_FRIENDS_COUNT = "friends_count"; public static final String FIELD_FAVORITES_COUNT = "favourites_count"; public static final String FIELD_STATUSES_COUNT = "statuses_count"; public static final String FIELD_LAST_STATUS = "last_status"; public static final String FIELD_CREATED_AT = "created_at"; public static final String FIELD_FOLLOWING = "following"; public static final String[] TABLE_COLUMNS = new String[] { _ID, FIELD_USER_NAME, FIELD_USER_SCREEN_NAME, FIELD_LOCALTION, FIELD_DESCRIPTION, FIELD_PROFILE_IMAGE_URL, FIELD_URL, FIELD_PROTECTED, FIELD_FOLLOWERS_COUNT, FIELD_FRIENDS_COUNT, FIELD_FAVORITES_COUNT, FIELD_STATUSES_COUNT, FIELD_LAST_STATUS, FIELD_CREATED_AT, FIELD_FOLLOWING }; public static final String CREATE_TABLE = "create table " + TABLE_NAME + " (" + _ID + " text primary key on conflict replace, " + FIELD_USER_NAME + " text not null, " + FIELD_USER_SCREEN_NAME + " text, " + FIELD_LOCALTION + " text, " + FIELD_DESCRIPTION + " text, " + FIELD_PROFILE_IMAGE_URL + " text, " + FIELD_URL + " text, " + FIELD_PROTECTED + " boolean, " + FIELD_FOLLOWERS_COUNT + " integer, " + FIELD_FRIENDS_COUNT + " integer, " + FIELD_FAVORITES_COUNT + " integer, " + FIELD_STATUSES_COUNT + " integer, " + FIELD_LAST_STATUS + " text, " + FIELD_CREATED_AT + " date, " + FIELD_FOLLOWING + " boolean " + ")"; /** * TODO: 将游标解析为一条用户信息 * * @param cursor * 该方法不会关闭游标 * @return 成功返回User类型的单条数据, 失败返回null */ public static User parseCursor(Cursor cursor) { if (null == cursor || 0 == cursor.getCount()) { Log.w(TAG, "Cann't parse Cursor, bacause cursor is null or empty."); return null; } User user = new User(); user.id = cursor.getString(cursor.getColumnIndex(FollowTable._ID)); user.name = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_USER_NAME)); user.screenName = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_USER_SCREEN_NAME)); user.location = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_LOCALTION)); user.description = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_DESCRIPTION)); user.profileImageUrl = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_PROFILE_IMAGE_URL)); user.url = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_URL)); user.isProtected = (0 == cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_PROTECTED))) ? false : true; user.followersCount = cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_FOLLOWERS_COUNT)); user.lastStatus = cursor.getString(cursor .getColumnIndex(FollowTable.FIELD_LAST_STATUS)); ; user.friendsCount = cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_FRIENDS_COUNT)); user.favoritesCount = cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_FAVORITES_COUNT)); user.statusesCount = cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_STATUSES_COUNT)); user.isFollowing = (0 == cursor.getInt(cursor .getColumnIndex(FollowTable.FIELD_FOLLOWING))) ? false : true; try { user.createdAt = TwitterDatabase.DB_DATE_FORMATTER.parse(cursor .getString(cursor .getColumnIndex(MessageTable.FIELD_CREATED_AT))); } catch (ParseException e) { Log.w(TAG, "Invalid created at data."); } return user; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/FollowTable.java
Java
asf20
4,341
package com.ch_linghu.fanfoudroid.db; import java.text.ParseException; import android.database.Cursor; import android.provider.BaseColumns; import android.util.Log; import com.ch_linghu.fanfoudroid.data.Dm; /** * Table - Direct Messages * */ public final class MessageTable implements BaseColumns { public static final String TAG = "MessageTable"; public static final int TYPE_GET = 0; public static final int TYPE_SENT = 1; public static final String TABLE_NAME = "message"; public static final int MAX_ROW_NUM = 20; public static final String FIELD_USER_ID = "uid"; public static final String FIELD_USER_SCREEN_NAME = "screen_name"; public static final String FIELD_PROFILE_IMAGE_URL = "profile_image_url"; public static final String FIELD_CREATED_AT = "created_at"; public static final String FIELD_TEXT = "text"; public static final String FIELD_IN_REPLY_TO_STATUS_ID = "in_reply_to_status_id"; public static final String FIELD_IN_REPLY_TO_USER_ID = "in_reply_to_user_id"; public static final String FIELD_IN_REPLY_TO_SCREEN_NAME = "in_reply_to_screen_name"; public static final String FIELD_IS_UNREAD = "is_unread"; public static final String FIELD_IS_SENT = "is_send"; public static final String[] TABLE_COLUMNS = new String[] { _ID, FIELD_USER_SCREEN_NAME, FIELD_TEXT, FIELD_PROFILE_IMAGE_URL, FIELD_IS_UNREAD, FIELD_IS_SENT, FIELD_CREATED_AT, FIELD_USER_ID }; public static final String CREATE_TABLE = "CREATE TABLE " + TABLE_NAME + " (" + _ID + " text primary key on conflict replace, " + FIELD_USER_SCREEN_NAME + " text not null, " + FIELD_TEXT + " text not null, " + FIELD_PROFILE_IMAGE_URL + " text not null, " + FIELD_IS_UNREAD + " boolean not null, " + FIELD_IS_SENT + " boolean not null, " + FIELD_CREATED_AT + " date not null, " + FIELD_USER_ID + " text)"; /** * TODO: 将游标解析为一条私信 * * @param cursor * 该方法不会关闭游标 * @return 成功返回Dm类型的单条数据, 失败返回null */ public static Dm parseCursor(Cursor cursor) { if (null == cursor || 0 == cursor.getCount()) { Log.w(TAG, "Cann't parse Cursor, bacause cursor is null or empty."); return null; } Dm dm = new Dm(); dm.id = cursor.getString(cursor.getColumnIndex(MessageTable._ID)); dm.screenName = cursor.getString(cursor .getColumnIndex(MessageTable.FIELD_USER_SCREEN_NAME)); dm.text = cursor.getString(cursor .getColumnIndex(MessageTable.FIELD_TEXT)); dm.profileImageUrl = cursor.getString(cursor .getColumnIndex(MessageTable.FIELD_PROFILE_IMAGE_URL)); dm.isSent = (0 == cursor.getInt(cursor .getColumnIndex(MessageTable.FIELD_IS_SENT))) ? false : true; try { dm.createdAt = TwitterDatabase.DB_DATE_FORMATTER.parse(cursor .getString(cursor .getColumnIndex(MessageTable.FIELD_CREATED_AT))); } catch (ParseException e) { Log.w(TAG, "Invalid created at data."); } dm.userId = cursor.getString(cursor .getColumnIndex(MessageTable.FIELD_USER_ID)); return dm; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db/MessageTable.java
Java
asf20
3,028
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import java.io.IOException; import java.io.InputStream; import java.text.MessageFormat; import java.util.regex.Matcher; import java.util.regex.Pattern; import android.content.Intent; import android.content.SharedPreferences; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.os.Bundle; import android.text.ClipboardManager; import android.text.TextUtils; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.MenuItem; import android.view.View; import android.view.View.OnClickListener; import android.view.ViewGroup; import android.widget.ImageButton; import android.widget.ImageView; import android.widget.TextView; import com.ch_linghu.fanfoudroid.app.ImageCache; import com.ch_linghu.fanfoudroid.app.LazyImageLoader.ImageLoaderCallback; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.http.HttpClient; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.task.TweetCommonTask; import com.ch_linghu.fanfoudroid.ui.base.BaseActivity; import com.ch_linghu.fanfoudroid.ui.module.Feedback; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory.FeedbackType; import com.ch_linghu.fanfoudroid.ui.module.NavBar; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; import com.ch_linghu.fanfoudroid.util.TextHelper; import com.ch_linghu.fanfoudroid.R; public class StatusActivity extends BaseActivity { private static final String TAG = "StatusActivity"; private static final String SIS_RUNNING_KEY = "running"; private static final String PREFS_NAME = "com.ch_linghu.fanfoudroid"; private static final String EXTRA_TWEET = "tweet"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.STATUS"; static final private int CONTEXT_REFRESH_ID = 0x0001; static final private int CONTEXT_CLIPBOARD_ID = 0x0002; static final private int CONTEXT_DELETE_ID = 0x0003; // Task TODO: tasks private GenericTask mReplyTask; private GenericTask mStatusTask; private GenericTask mPhotoTask; // TODO: 压缩图片,提供获取图片的过程中可取消获取 private GenericTask mFavTask; private GenericTask mDeleteTask; private NavBar mNavbar; private Feedback mFeedback; private TaskListener mReplyTaskListener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { showReplyStatus(replyTweet); StatusActivity.this.mFeedback.success(""); } @Override public String getName() { return "GetReply"; } }; private TaskListener mStatusTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { clean(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { StatusActivity.this.mFeedback.success(""); draw(); } @Override public String getName() { return "GetStatus"; } }; private TaskListener mPhotoTaskListener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.OK) { status_photo.setImageBitmap(mPhotoBitmap); } else { status_photo.setVisibility(View.GONE); } StatusActivity.this.mFeedback.success(""); } @Override public String getName() { // TODO Auto-generated method stub return "GetPhoto"; } }; private TaskListener mFavTaskListener = new TaskAdapter() { @Override public String getName() { return "FavoriteTask"; } @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { onFavSuccess(); } else if (result == TaskResult.IO_ERROR) { onFavFailure(); } } }; private TaskListener mDeleteTaskListener = new TaskAdapter() { @Override public String getName() { return "DeleteTask"; } @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { onDeleteSuccess(); } else if (result == TaskResult.IO_ERROR) { onDeleteFailure(); } } }; // View private TextView tweet_screen_name; private TextView tweet_text; private TextView tweet_user_info; private ImageView profile_image; private TextView tweet_source; private TextView tweet_created_at; private ImageButton btn_person_more; private ImageView status_photo = null; // if exists private ViewGroup reply_wrap; private TextView reply_status_text = null; // if exists private TextView reply_status_date = null; // if exists private ImageButton tweet_fav; private Tweet tweet = null; private Tweet replyTweet = null; // if exists private HttpClient mClient; private Bitmap mPhotoBitmap = ImageCache.mDefaultBitmap; // if exists public static Intent createIntent(Tweet tweet) { Intent intent = new Intent(LAUNCH_ACTION); intent.putExtra(EXTRA_TWEET, tweet); return intent; } private static Pattern PHOTO_PAGE_LINK = Pattern .compile("http://fanfou.com(/photo/[-a-zA-Z0-9+&@#%?=~_|!:,.;]*[-a-zA-Z0-9+&@#%=~_|])"); private static Pattern PHOTO_SRC_LINK = Pattern .compile("src=\"(http:\\/\\/photo\\.fanfou\\.com\\/.*?)\""); /** * 获得消息中的照片页面链接 * * @param text * 消息文本 * @param size * 照片尺寸 * @return 照片页面的链接,若不存在,则返回null */ public static String getPhotoPageLink(String text, String size) { Matcher m = PHOTO_PAGE_LINK.matcher(text); if (m.find()) { String THUMBNAIL = TwitterApplication.mContext .getString(R.string.pref_photo_preview_type_thumbnail); String MIDDLE = TwitterApplication.mContext .getString(R.string.pref_photo_preview_type_middle); String ORIGINAL = TwitterApplication.mContext .getString(R.string.pref_photo_preview_type_original); if (size.equals(THUMBNAIL) || size.equals(MIDDLE)) { return "http://m.fanfou.com" + m.group(1); } else if (size.endsWith(ORIGINAL)) { return m.group(0); } else { return null; } } else { return null; } } /** * 获得照片页面中的照片链接 * * @param pageHtml * 照片页面文本 * @return 照片链接,若不存在,则返回null */ public static String getPhotoURL(String pageHtml) { Matcher m = PHOTO_SRC_LINK.matcher(pageHtml); if (m.find()) { return m.group(1); } else { return null; } } @Override protected boolean _onCreate(Bundle savedInstanceState) { Log.d(TAG, "onCreate."); if (super._onCreate(savedInstanceState)) { mClient = getApi().getHttpClient(); // Intent & Action & Extras Intent intent = getIntent(); String action = intent.getAction(); Bundle extras = intent.getExtras(); // Must has extras if (null == extras) { Log.e(TAG, this.getClass().getName() + " must has extras."); finish(); return false; } setContentView(R.layout.status); mNavbar = new NavBar(NavBar.HEADER_STYLE_BACK, this); mFeedback = FeedbackFactory.create(this, FeedbackType.PROGRESS); findView(); bindNavBarListener(); // Set view with intent data this.tweet = extras.getParcelable(EXTRA_TWEET); draw(); bindFooterBarListener(); bindReplyViewListener(); return true; } else { return false; } } private void findView() { tweet_screen_name = (TextView) findViewById(R.id.tweet_screen_name); tweet_user_info = (TextView) findViewById(R.id.tweet_user_info); tweet_text = (TextView) findViewById(R.id.tweet_text); tweet_source = (TextView) findViewById(R.id.tweet_source); profile_image = (ImageView) findViewById(R.id.profile_image); tweet_created_at = (TextView) findViewById(R.id.tweet_created_at); btn_person_more = (ImageButton) findViewById(R.id.person_more); tweet_fav = (ImageButton) findViewById(R.id.tweet_fav); reply_wrap = (ViewGroup) findViewById(R.id.reply_wrap); reply_status_text = (TextView) findViewById(R.id.reply_status_text); reply_status_date = (TextView) findViewById(R.id.reply_tweet_created_at); status_photo = (ImageView) findViewById(R.id.status_photo); } private void bindNavBarListener() { mNavbar.getRefreshButton().setOnClickListener( new View.OnClickListener() { @Override public void onClick(View v) { doGetStatus(tweet.id); } }); } private void bindFooterBarListener() { // person_more btn_person_more.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = ProfileActivity.createIntent(tweet.userId); startActivity(intent); } }); // Footer bar TextView footer_btn_share = (TextView) findViewById(R.id.footer_btn_share); TextView footer_btn_reply = (TextView) findViewById(R.id.footer_btn_reply); TextView footer_btn_retweet = (TextView) findViewById(R.id.footer_btn_retweet); TextView footer_btn_fav = (TextView) findViewById(R.id.footer_btn_fav); TextView footer_btn_more = (TextView) findViewById(R.id.footer_btn_more); // 分享 footer_btn_share.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = new Intent(Intent.ACTION_SEND); intent.setType("text/plain"); intent.putExtra( Intent.EXTRA_TEXT, String.format("@%s %s", tweet.screenName, TextHelper.getSimpleTweetText(tweet.text))); startActivity(Intent.createChooser(intent, getString(R.string.cmenu_share))); } }); // 回复 footer_btn_reply.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = WriteActivity.createNewReplyIntent(tweet.text, tweet.screenName, tweet.id); startActivity(intent); } }); // 转发 footer_btn_retweet.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = WriteActivity.createNewRepostIntent( StatusActivity.this, tweet.text, tweet.screenName, tweet.id); startActivity(intent); } }); // 收藏/取消收藏 footer_btn_fav.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (tweet.favorited.equals("true")) { doFavorite("del", tweet.id); } else { doFavorite("add", tweet.id); } } }); // TODO: 更多操作 registerForContextMenu(footer_btn_more); footer_btn_more.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { openContextMenu(v); } }); } private void bindReplyViewListener() { // 点击回复消息打开新的Status界面 OnClickListener listener = new View.OnClickListener() { @Override public void onClick(View v) { if (!TextUtils.isEmpty(tweet.inReplyToStatusId)) { if (replyTweet == null) { Log.w(TAG, "Selected item not available."); } else { launchActivity(StatusActivity.createIntent(replyTweet)); } } } }; reply_wrap.setOnClickListener(listener); } @Override protected void onPause() { super.onPause(); Log.d(TAG, "onPause."); } @Override protected void onRestart() { super.onRestart(); Log.d(TAG, "onRestart."); } @Override protected void onResume() { super.onResume(); Log.d(TAG, "onResume."); } @Override protected void onStart() { super.onStart(); Log.d(TAG, "onStart."); } @Override protected void onStop() { super.onStop(); Log.d(TAG, "onStop."); } @Override protected void onDestroy() { Log.d(TAG, "onDestroy."); if (mReplyTask != null && mReplyTask.getStatus() == GenericTask.Status.RUNNING) { mReplyTask.cancel(true); } if (mPhotoTask != null && mPhotoTask.getStatus() == GenericTask.Status.RUNNING) { mPhotoTask.cancel(true); } if (mFavTask != null && mFavTask.getStatus() == GenericTask.Status.RUNNING) { mFavTask.cancel(true); } super.onDestroy(); } private ImageLoaderCallback callback = new ImageLoaderCallback() { @Override public void refresh(String url, Bitmap bitmap) { profile_image.setImageBitmap(bitmap); } }; private void clean() { tweet_screen_name.setText(""); tweet_text.setText(""); tweet_created_at.setText(""); tweet_source.setText(""); tweet_user_info.setText(""); tweet_fav.setEnabled(false); profile_image.setImageBitmap(ImageCache.mDefaultBitmap); status_photo.setVisibility(View.GONE); ViewGroup reply_wrap = (ViewGroup) findViewById(R.id.reply_wrap); reply_wrap.setVisibility(View.GONE); } private void draw() { Log.d(TAG, "draw"); String PHOTO_PREVIEW_TYPE_NONE = getString(R.string.pref_photo_preview_type_none); String PHOTO_PREVIEW_TYPE_THUMBNAIL = getString(R.string.pref_photo_preview_type_thumbnail); String PHOTO_PREVIEW_TYPE_MIDDLE = getString(R.string.pref_photo_preview_type_middle); String PHOTO_PREVIEW_TYPE_ORIGINAL = getString(R.string.pref_photo_preview_type_original); SharedPreferences pref = getPreferences(); String photoPreviewSize = pref.getString(Preferences.PHOTO_PREVIEW, PHOTO_PREVIEW_TYPE_ORIGINAL); boolean forceShowAllImage = pref.getBoolean( Preferences.FORCE_SHOW_ALL_IMAGE, false); tweet_screen_name.setText(tweet.screenName); TextHelper.setTweetText(tweet_text, tweet.text); tweet_created_at.setText(DateTimeHelper .getRelativeDate(tweet.createdAt)); tweet_source.setText(getString(R.string.tweet_source_prefix) + tweet.source); tweet_user_info.setText(tweet.userId); boolean isFav = (tweet.favorited.equals("true")) ? true : false; tweet_fav.setEnabled(isFav); // Bitmap mProfileBitmap = // TwitterApplication.mImageManager.get(tweet.profileImageUrl); profile_image.setImageBitmap(TwitterApplication.mImageLoader.get( tweet.profileImageUrl, callback)); // has photo if (!photoPreviewSize.equals(PHOTO_PREVIEW_TYPE_NONE)) { String photoLink; boolean isPageLink = false; if (photoPreviewSize.equals(PHOTO_PREVIEW_TYPE_THUMBNAIL)) { photoLink = tweet.thumbnail_pic; } else if (photoPreviewSize.equals(PHOTO_PREVIEW_TYPE_MIDDLE)) { photoLink = tweet.bmiddle_pic; } else if (photoPreviewSize.equals(PHOTO_PREVIEW_TYPE_ORIGINAL)) { photoLink = tweet.original_pic; } else { Log.e(TAG, "Invalid Photo Preview Size Type"); photoLink = ""; } // 如果选用了强制显示则再尝试分析图片链接 if (forceShowAllImage) { photoLink = getPhotoPageLink(tweet.text, photoPreviewSize); isPageLink = true; } if (!TextUtils.isEmpty(photoLink)) { status_photo.setVisibility(View.VISIBLE); status_photo.setImageBitmap(mPhotoBitmap); doGetPhoto(photoLink, isPageLink); } } else { status_photo.setVisibility(View.GONE); } // has reply if (!TextUtils.isEmpty(tweet.inReplyToStatusId)) { ViewGroup reply_wrap = (ViewGroup) findViewById(R.id.reply_wrap); reply_wrap.setVisibility(View.VISIBLE); reply_status_text = (TextView) findViewById(R.id.reply_status_text); reply_status_date = (TextView) findViewById(R.id.reply_tweet_created_at); doGetReply(tweet.inReplyToStatusId); } } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mReplyTask != null && mReplyTask.getStatus() == GenericTask.Status.RUNNING) { outState.putBoolean(SIS_RUNNING_KEY, true); } } private String fetchWebPage(String url) throws HttpException { Log.d(TAG, "Fetching WebPage: " + url); Response res = mClient.get(url); return res.asString(); } private Bitmap fetchPhotoBitmap(String url) throws HttpException, IOException { Log.d(TAG, "Fetching Photo: " + url); Response res = mClient.get(url); // FIXME:这里使用了一个作废的方法,如何修正? InputStream is = res.asStream(); Bitmap bitmap = BitmapFactory.decodeStream(is); is.close(); return bitmap; } private void doGetReply(String status_id) { Log.d(TAG, "Attempting get status task."); mFeedback.start(""); if (mReplyTask != null && mReplyTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mReplyTask = new GetReplyTask(); mReplyTask.setListener(mReplyTaskListener); TaskParams params = new TaskParams(); params.put("reply_id", status_id); mReplyTask.execute(params); } } private class GetReplyTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; com.ch_linghu.fanfoudroid.fanfou.Status status; try { String reply_id = param.getString("reply_id"); if (!TextUtils.isEmpty(reply_id)) { // 首先查看是否在数据库中,如不在再去获取 replyTweet = getDb().queryTweet(reply_id, -1); if (replyTweet == null) { status = getApi().showStatus(reply_id); replyTweet = Tweet.create(status); } } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } return TaskResult.OK; } } private void doGetStatus(String status_id) { Log.d(TAG, "Attempting get status task."); mFeedback.start(""); if (mStatusTask != null && mStatusTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mStatusTask = new GetStatusTask(); mStatusTask.setListener(mStatusTaskListener); TaskParams params = new TaskParams(); params.put("id", status_id); mStatusTask.execute(params); } } private class GetStatusTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; com.ch_linghu.fanfoudroid.fanfou.Status status; try { String id = param.getString("id"); if (!TextUtils.isEmpty(id)) { status = getApi().showStatus(id); mFeedback.update(80); tweet = Tweet.create(status); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } mFeedback.update(99); return TaskResult.OK; } } private void doGetPhoto(String photoPageURL, boolean isPageLink) { mFeedback.start(""); if (mPhotoTask != null && mPhotoTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mPhotoTask = new GetPhotoTask(); mPhotoTask.setListener(mPhotoTaskListener); TaskParams params = new TaskParams(); params.put("photo_url", photoPageURL); params.put("is_page_link", isPageLink); mPhotoTask.execute(params); } } private class GetPhotoTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; try { String photoURL = param.getString("photo_url"); boolean isPageLink = param.getBoolean("is_page_link"); if (!TextUtils.isEmpty(photoURL)) { if (isPageLink) { String pageHtml = fetchWebPage(photoURL); String photoSrcURL = getPhotoURL(pageHtml); if (photoSrcURL != null) { mPhotoBitmap = fetchPhotoBitmap(photoSrcURL); } } else { mPhotoBitmap = fetchPhotoBitmap(photoURL); } } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } catch (IOException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } return TaskResult.OK; } } private void showReplyStatus(Tweet tweet) { if (tweet != null) { String text = tweet.screenName + " : " + tweet.text; TextHelper.setSimpleTweetText(reply_status_text, text); reply_status_date.setText(DateTimeHelper .getRelativeDate(tweet.createdAt)); } else { String msg = MessageFormat.format( getString(R.string.status_status_reply_cannot_display), this.tweet.inReplyToScreenName); reply_status_text.setText(msg); } } public void onDeleteFailure() { Log.e(TAG, "Delete failed"); } public void onDeleteSuccess() { finish(); } // for HasFavorite interface public void doFavorite(String action, String id) { if (mFavTask != null && mFavTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { if (!TextUtils.isEmpty(id)) { Log.d(TAG, "doFavorite."); mFavTask = new TweetCommonTask.FavoriteTask(this); mFavTask.setListener(mFavTaskListener); TaskParams param = new TaskParams(); param.put("action", action); param.put("id", id); mFavTask.execute(param); } } } public void onFavSuccess() { // updateProgress(getString(R.string.refreshing)); if (((TweetCommonTask.FavoriteTask) mFavTask).getType().equals( TweetCommonTask.FavoriteTask.TYPE_ADD)) { tweet.favorited = "true"; tweet_fav.setEnabled(true); } else { tweet.favorited = "false"; tweet_fav.setEnabled(false); } } public void onFavFailure() { // updateProgress(getString(R.string.refreshing)); } private void doDelete(String id) { if (mDeleteTask != null && mDeleteTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mDeleteTask = new TweetCommonTask.DeleteTask(this); mDeleteTask.setListener(mDeleteTaskListener); TaskParams params = new TaskParams(); params.put("id", id); mDeleteTask.execute(params); } } @Override public boolean onContextItemSelected(MenuItem item) { switch (item.getItemId()) { case CONTEXT_REFRESH_ID: doGetStatus(tweet.id); return true; case CONTEXT_CLIPBOARD_ID: ClipboardManager clipboard = (ClipboardManager) getSystemService(CLIPBOARD_SERVICE); clipboard.setText(TextHelper.getSimpleTweetText(tweet.text)); return true; case CONTEXT_DELETE_ID: doDelete(tweet.id); return true; } return super.onContextItemSelected(item); } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { menu.setHeaderIcon(android.R.drawable.ic_menu_more); menu.setHeaderTitle(getString(R.string.cmenu_more)); menu.add(0, CONTEXT_REFRESH_ID, 0, R.string.omenu_refresh); menu.add(0, CONTEXT_CLIPBOARD_ID, 0, R.string.cmenu_clipboard); if (tweet.userId.equals(TwitterApplication.getMyselfId(false))) { menu.add(0, CONTEXT_DELETE_ID, 0, R.string.cmenu_delete); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/StatusActivity.java
Java
asf20
23,198
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import android.content.SharedPreferences; import android.content.pm.ActivityInfo; import android.os.Bundle; import android.preference.Preference; import android.preference.PreferenceActivity; import android.preference.PreferenceScreen; import android.util.Log; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.http.HttpClient; import com.ch_linghu.fanfoudroid.ui.module.MyTextView; import com.ch_linghu.fanfoudroid.R; public class PreferencesActivity extends PreferenceActivity implements SharedPreferences.OnSharedPreferenceChangeListener { @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // 禁止横屏 if (TwitterApplication.mPref.getBoolean( Preferences.FORCE_SCREEN_ORIENTATION_PORTRAIT, false)) { setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_PORTRAIT); } // TODO: is this a hack? setResult(RESULT_OK); addPreferencesFromResource(R.xml.preferences); } @Override protected void onResume() { super.onResume(); // Set up a listener whenever a key changes getPreferenceScreen().getSharedPreferences() .registerOnSharedPreferenceChangeListener(this); } @Override public boolean onPreferenceTreeClick(PreferenceScreen preferenceScreen, Preference preference) { return super.onPreferenceTreeClick(preferenceScreen, preference); } public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { if (key.equalsIgnoreCase(Preferences.NETWORK_TYPE)) { HttpClient httpClient = TwitterApplication.mApi.getHttpClient(); String type = sharedPreferences.getString(Preferences.NETWORK_TYPE, ""); if (type.equalsIgnoreCase(getString(R.string.pref_network_type_cmwap))) { Log.d("LDS", "Set proxy for cmwap mode."); httpClient.setProxy("10.0.0.172", 80, "http"); } else { Log.d("LDS", "No proxy."); httpClient.removeProxy(); } } else if (key.equalsIgnoreCase(Preferences.UI_FONT_SIZE)) { MyTextView.setFontSizeChanged(true); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/PreferencesActivity.java
Java
asf20
2,768
package com.ch_linghu.fanfoudroid; import java.util.HashSet; //import org.acra.ReportingInteractionMode; //import org.acra.annotation.ReportsCrashes; import android.app.Application; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.net.ConnectivityManager; import android.net.NetworkInfo; import android.preference.PreferenceManager; import android.widget.Toast; import com.ch_linghu.fanfoudroid.app.LazyImageLoader; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.fanfou.Configuration; import com.ch_linghu.fanfoudroid.fanfou.User; import com.ch_linghu.fanfoudroid.fanfou.Weibo; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; //@ReportsCrashes(formKey="dHowMk5LMXQweVJkWGthb1E1T1NUUHc6MQ", // mode = ReportingInteractionMode.NOTIFICATION, // resNotifTickerText = R.string.crash_notif_ticker_text, // resNotifTitle = R.string.crash_notif_title, // resNotifText = R.string.crash_notif_text, // resNotifIcon = android.R.drawable.stat_notify_error, // optional. default is a warning sign // resDialogText = R.string.crash_dialog_text, // resDialogIcon = android.R.drawable.ic_dialog_info, //optional. default is a warning sign // resDialogTitle = R.string.crash_dialog_title, // optional. default is your application name // resDialogCommentPrompt = R.string.crash_dialog_comment_prompt, // optional. when defined, adds a user text field input with this text resource as a label // resDialogOkToast = R.string.crash_dialog_ok_toast // optional. displays a Toast message when the user accepts to send a report. //) public class TwitterApplication extends Application { public static final String TAG = "TwitterApplication"; // public static ImageManager mImageManager; public static LazyImageLoader mImageLoader; public static TwitterDatabase mDb; public static Weibo mApi; // new API public static Context mContext; public static SharedPreferences mPref; public static int networkType = 0; public final static boolean DEBUG = Configuration.getDebug(); public GenericTask mUserInfoTask = new GetUserInfoTask(); // FIXME:获取登录用户id, 据肉眼观察,刚注册的用户系统分配id都是~开头的,因为不知道 // 用户何时去修改这个ID,目前只有把所有以~开头的ID在每次需要UserId时都去服务器 // 取一次数据,看看新的ID是否已经设定,判断依据是是否以~开头。这么判断会把有些用户 // 就是把自己ID设置的以~开头的造成,每次都需要去服务器取数。 // 只是简单处理了mPref没有CURRENT_USER_ID的情况,因为用户在登陆时,肯定会记一个CURRENT_USER_ID // 到mPref. private static void fetchMyselfInfo() { User myself; try { myself = TwitterApplication.mApi.showUser(TwitterApplication.mApi .getUserId()); TwitterApplication.mPref.edit() .putString(Preferences.CURRENT_USER_ID, myself.getId()) .commit(); TwitterApplication.mPref .edit() .putString(Preferences.CURRENT_USER_SCREEN_NAME, myself.getScreenName()).commit(); } catch (HttpException e) { e.printStackTrace(); } } public static String getMyselfId(boolean forceGet) { if (!mPref.contains(Preferences.CURRENT_USER_ID)){ if (forceGet && mPref.getString(Preferences.CURRENT_USER_ID, "~") .startsWith("~")){ fetchMyselfInfo(); } } return mPref.getString(Preferences.CURRENT_USER_ID, "~"); } public static String getMyselfName(boolean forceGet) { if (!mPref.contains(Preferences.CURRENT_USER_ID) || !mPref.contains(Preferences.CURRENT_USER_SCREEN_NAME)) { if (forceGet && mPref.getString(Preferences.CURRENT_USER_ID, "~") .startsWith("~")){ fetchMyselfInfo(); } } return mPref.getString(Preferences.CURRENT_USER_SCREEN_NAME, ""); } @Override public void onCreate() { // FIXME: StrictMode类在1.6以下的版本中没有,会导致类加载失败。 // 因此将这些代码设成关闭状态,仅在做性能调试时才打开。 // //NOTE: StrictMode模式需要2.3+ API支持。 // if (DEBUG){ // StrictMode.setThreadPolicy(new StrictMode.ThreadPolicy.Builder() // .detectAll() // .penaltyLog() // .build()); // StrictMode.setVmPolicy(new StrictMode.VmPolicy.Builder() // .detectAll() // .penaltyLog() // .build()); // } super.onCreate(); mContext = this.getApplicationContext(); // mImageManager = new ImageManager(this); mImageLoader = new LazyImageLoader(); mApi = new Weibo(); mDb = TwitterDatabase.getInstance(this); mPref = PreferenceManager.getDefaultSharedPreferences(this); String username = mPref.getString(Preferences.USERNAME_KEY, ""); String password = mPref.getString(Preferences.PASSWORD_KEY, ""); password = LoginActivity.decryptPassword(password); if (Weibo.isValidCredentials(username, password)) { mApi.setCredentials(username, password); // Setup API and HttpClient doGetUserInfo(); } // 为cmwap用户设置代理上网 String type = getNetworkType(); if (null != type && type.equalsIgnoreCase("cmwap")) { Toast.makeText(this, "您当前正在使用cmwap网络上网.", Toast.LENGTH_SHORT); mApi.getHttpClient().setProxy("10.0.0.172", 80, "http"); } } public String getNetworkType() { ConnectivityManager connectivityManager = (ConnectivityManager) getSystemService(Context.CONNECTIVITY_SERVICE); NetworkInfo activeNetInfo = connectivityManager.getActiveNetworkInfo(); // NetworkInfo mobNetInfo = connectivityManager // .getNetworkInfo(ConnectivityManager.TYPE_MOBILE); if (activeNetInfo != null) { return activeNetInfo.getExtraInfo(); // 接入点名称: 此名称可被用户任意更改 如: cmwap, // cmnet, // internet ... } else { return null; } } @Override public void onTerminate() { // FIXME: 根据android文档,onTerminate不会在真实机器上被执行到 // 因此这些清理动作需要再找合适的地方放置,以确保执行。 cleanupImages(); mDb.close(); Toast.makeText(this, "exit app", Toast.LENGTH_LONG); super.onTerminate(); } private void cleanupImages() { HashSet<String> keepers = new HashSet<String>(); Cursor cursor = mDb.fetchAllTweets(StatusTable.TYPE_HOME); if (cursor.moveToFirst()) { int imageIndex = cursor .getColumnIndexOrThrow(StatusTable.PROFILE_IMAGE_URL); do { keepers.add(cursor.getString(imageIndex)); } while (cursor.moveToNext()); } cursor.close(); cursor = mDb.fetchAllDms(-1); if (cursor.moveToFirst()) { int imageIndex = cursor .getColumnIndexOrThrow(StatusTable.PROFILE_IMAGE_URL); do { keepers.add(cursor.getString(imageIndex)); } while (cursor.moveToNext()); } cursor.close(); mImageLoader.getImageManager().cleanup(keepers); } public void doGetUserInfo() { if (mUserInfoTask != null && mUserInfoTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mUserInfoTask = new GetUserInfoTask(); mUserInfoTask.setListener(new TaskAdapter(){ @Override public String getName() { return "GetUserInfo"; } }); mUserInfoTask.execute(); } } public class GetUserInfoTask extends GenericTask { public static final String TAG = "DeleteTask"; @Override protected TaskResult _doInBackground(TaskParams... params) { getMyselfId(true); getMyselfName(true); return TaskResult.OK; } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/TwitterApplication.java
Java
asf20
8,108
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid.service; import java.text.DateFormat; import java.text.MessageFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Calendar; import java.util.GregorianCalendar; import java.util.List; import android.app.AlarmManager; import android.app.Notification; import android.app.NotificationManager; import android.app.PendingIntent; import android.app.PendingIntent.CanceledException; import android.app.Service; import android.appwidget.AppWidgetManager; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.net.Uri; import android.os.IBinder; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.util.Log; import com.ch_linghu.fanfoudroid.DmActivity; import com.ch_linghu.fanfoudroid.FanfouWidget; import com.ch_linghu.fanfoudroid.FanfouWidgetSmall; import com.ch_linghu.fanfoudroid.MentionActivity; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.TwitterActivity; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.data.Dm; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.fanfou.Weibo; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.util.TextHelper; public class TwitterService extends Service { private static final String TAG = "TwitterService"; private NotificationManager mNotificationManager; private ArrayList<Tweet> mNewTweets; private ArrayList<Tweet> mNewMentions; private ArrayList<Dm> mNewDms; private GenericTask mRetrieveTask; public String getUserId() { return TwitterApplication.getMyselfId(false); } @Override public int onStartCommand(Intent intent, int flags, int startId) { // fetchMessages(); // handler.postDelayed(mTask, 10000); Log.d(TAG, "Start Once"); return super.onStartCommand(intent, flags, startId); } private TaskListener mRetrieveTaskListener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.OK) { SharedPreferences preferences = TwitterApplication.mPref; boolean needCheck = preferences.getBoolean( Preferences.CHECK_UPDATES_KEY, false); boolean timeline_only = preferences.getBoolean( Preferences.TIMELINE_ONLY_KEY, false); boolean replies_only = preferences.getBoolean( Preferences.REPLIES_ONLY_KEY, true); boolean dm_only = preferences.getBoolean( Preferences.DM_ONLY_KEY, true); if (needCheck) { if (timeline_only) { processNewTweets(); } if (replies_only) { processNewMentions(); } if (dm_only) { processNewDms(); } } } // 原widget try { Intent intent = new Intent(TwitterService.this, FanfouWidget.class); intent.setAction(AppWidgetManager.ACTION_APPWIDGET_UPDATE); PendingIntent pi = PendingIntent.getBroadcast( TwitterService.this, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT); pi.send(); } catch (CanceledException e) { Log.e(TAG, e.getMessage()); e.printStackTrace(); } // 小widget // try { // Intent intent = new Intent(TwitterService.this, // FanfouWidgetSmall.class); // intent.setAction(AppWidgetManager.ACTION_APPWIDGET_UPDATE); // PendingIntent pi = PendingIntent.getBroadcast( // TwitterService.this, 0, intent, // PendingIntent.FLAG_UPDATE_CURRENT); // pi.send(); // } catch (CanceledException e) { // Log.e(TAG, e.getMessage()); // e.printStackTrace(); // } stopSelf(); } @Override public String getName() { return "ServiceRetrieveTask"; } }; private WakeLock mWakeLock; @Override public IBinder onBind(Intent intent) { return null; } private TwitterDatabase getDb() { return TwitterApplication.mDb; } private Weibo getApi() { return TwitterApplication.mApi; } @Override public void onCreate() { Log.v(TAG, "Server Created"); super.onCreate(); PowerManager pm = (PowerManager) getSystemService(Context.POWER_SERVICE); mWakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, TAG); mWakeLock.acquire(); boolean needCheck = TwitterApplication.mPref.getBoolean( Preferences.CHECK_UPDATES_KEY, false); boolean widgetIsEnabled = TwitterService.widgetIsEnabled; Log.v(TAG, "Check Updates is " + needCheck + "/wg:" + widgetIsEnabled); if (!needCheck && !widgetIsEnabled) { Log.d(TAG, "Check update preference is false."); stopSelf(); return; } if (!getApi().isLoggedIn()) { Log.d(TAG, "Not logged in."); stopSelf(); return; } schedule(TwitterService.this); mNotificationManager = (NotificationManager) getSystemService(NOTIFICATION_SERVICE); mNewTweets = new ArrayList<Tweet>(); mNewMentions = new ArrayList<Tweet>(); mNewDms = new ArrayList<Dm>(); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mRetrieveTask = new RetrieveTask(); mRetrieveTask.setListener(mRetrieveTaskListener); mRetrieveTask.execute((TaskParams[]) null); } } private void processNewTweets() { int count = mNewTweets.size(); if (count <= 0) { return; } Tweet latestTweet = mNewTweets.get(0); String title; String text; if (count == 1) { title = latestTweet.screenName; text = TextHelper.getSimpleTweetText(latestTweet.text); } else { title = getString(R.string.service_new_twitter_updates); text = getString(R.string.service_x_new_tweets); text = MessageFormat.format(text, count); } PendingIntent intent = PendingIntent.getActivity(this, 0, TwitterActivity.createIntent(this), 0); notify(intent, TWEET_NOTIFICATION_ID, R.drawable.notify_tweet, TextHelper.getSimpleTweetText(latestTweet.text), title, text); } private void processNewMentions() { int count = mNewMentions.size(); if (count <= 0) { return; } Tweet latestTweet = mNewMentions.get(0); String title; String text; if (count == 1) { title = latestTweet.screenName; text = TextHelper.getSimpleTweetText(latestTweet.text); } else { title = getString(R.string.service_new_mention_updates); text = getString(R.string.service_x_new_mentions); text = MessageFormat.format(text, count); } PendingIntent intent = PendingIntent.getActivity(this, 0, MentionActivity.createIntent(this), 0); notify(intent, MENTION_NOTIFICATION_ID, R.drawable.notify_mention, TextHelper.getSimpleTweetText(latestTweet.text), title, text); } private static int TWEET_NOTIFICATION_ID = 0; private static int DM_NOTIFICATION_ID = 1; private static int MENTION_NOTIFICATION_ID = 2; private void notify(PendingIntent intent, int notificationId, int notifyIconId, String tickerText, String title, String text) { Notification notification = new Notification(notifyIconId, tickerText, System.currentTimeMillis()); notification.setLatestEventInfo(this, title, text, intent); notification.flags = Notification.FLAG_AUTO_CANCEL | Notification.FLAG_ONLY_ALERT_ONCE | Notification.FLAG_SHOW_LIGHTS; notification.ledARGB = 0xFF84E4FA; notification.ledOnMS = 5000; notification.ledOffMS = 5000; String ringtoneUri = TwitterApplication.mPref.getString( Preferences.RINGTONE_KEY, null); if (ringtoneUri == null) { notification.defaults |= Notification.DEFAULT_SOUND; } else { notification.sound = Uri.parse(ringtoneUri); } if (TwitterApplication.mPref.getBoolean(Preferences.VIBRATE_KEY, false)) { notification.defaults |= Notification.DEFAULT_VIBRATE; } mNotificationManager.notify(notificationId, notification); } private void processNewDms() { int count = mNewDms.size(); if (count <= 0) { return; } Dm latest = mNewDms.get(0); String title; String text; if (count == 1) { title = latest.screenName; text = TextHelper.getSimpleTweetText(latest.text); } else { title = getString(R.string.service_new_direct_message_updates); text = getString(R.string.service_x_new_direct_messages); text = MessageFormat.format(text, count); } PendingIntent pendingIntent = PendingIntent.getActivity(this, 0, DmActivity.createIntent(), 0); notify(pendingIntent, DM_NOTIFICATION_ID, R.drawable.notify_dm, TextHelper.getSimpleTweetText(latest.text), title, text); } @Override public void onDestroy() { Log.d(TAG, "Service Destroy."); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { mRetrieveTask.cancel(true); } mWakeLock.release(); super.onDestroy(); } public static void schedule(Context context) { SharedPreferences preferences = TwitterApplication.mPref; boolean needCheck = preferences.getBoolean( Preferences.CHECK_UPDATES_KEY, false); boolean widgetIsEnabled = TwitterService.widgetIsEnabled; if (!needCheck && !widgetIsEnabled) { Log.d(TAG, "Check update preference is false."); return; } String intervalPref = preferences .getString( Preferences.CHECK_UPDATE_INTERVAL_KEY, context.getString(R.string.pref_check_updates_interval_default)); int interval = Integer.parseInt(intervalPref); // interval = 1; //for debug Intent intent = new Intent(context, TwitterService.class); PendingIntent pending = PendingIntent.getService(context, 0, intent, PendingIntent.FLAG_CANCEL_CURRENT); Calendar c = new GregorianCalendar(); c.add(Calendar.MINUTE, interval); DateFormat df = new SimpleDateFormat("yyyy.MM.dd HH:mm:ss z"); Log.d(TAG, "Schedule, next run at " + df.format(c.getTime())); AlarmManager alarm = (AlarmManager) context .getSystemService(Context.ALARM_SERVICE); alarm.cancel(pending); if (needCheck) { alarm.set(AlarmManager.RTC_WAKEUP, c.getTimeInMillis(), pending); } else { // only for widget alarm.set(AlarmManager.RTC, c.getTimeInMillis(), pending); } } public static void unschedule(Context context) { Intent intent = new Intent(context, TwitterService.class); PendingIntent pending = PendingIntent.getService(context, 0, intent, 0); AlarmManager alarm = (AlarmManager) context .getSystemService(Context.ALARM_SERVICE); Log.d(TAG, "Cancelling alarms."); alarm.cancel(pending); } private static boolean widgetIsEnabled = false; public static void setWidgetStatus(boolean isEnabled) { widgetIsEnabled = isEnabled; } public static boolean isWidgetEnabled() { return widgetIsEnabled; } private class RetrieveTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { SharedPreferences preferences = TwitterApplication.mPref; boolean timeline_only = preferences.getBoolean( Preferences.TIMELINE_ONLY_KEY, false); boolean replies_only = preferences.getBoolean( Preferences.REPLIES_ONLY_KEY, true); boolean dm_only = preferences.getBoolean(Preferences.DM_ONLY_KEY, true); Log.d(TAG, "Widget Is Enabled? " + TwitterService.widgetIsEnabled); if (timeline_only || TwitterService.widgetIsEnabled) { String maxId = getDb() .fetchMaxTweetId(TwitterApplication.getMyselfId(false), StatusTable.TYPE_HOME); Log.d(TAG, "Max id is:" + maxId); List<com.ch_linghu.fanfoudroid.fanfou.Status> statusList; try { if (maxId != null) { statusList = getApi().getFriendsTimeline( new Paging(maxId)); } else { statusList = getApi().getFriendsTimeline(); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } for (com.ch_linghu.fanfoudroid.fanfou.Status status : statusList) { if (isCancelled()) { return TaskResult.CANCELLED; } Tweet tweet; tweet = Tweet.create(status); mNewTweets.add(tweet); Log.d(TAG, mNewTweets.size() + " new tweets."); int count = getDb().addNewTweetsAndCountUnread(mNewTweets, TwitterApplication.getMyselfId(false), StatusTable.TYPE_HOME); if (count <= 0) { return TaskResult.FAILED; } } if (isCancelled()) { return TaskResult.CANCELLED; } } if (replies_only) { String maxMentionId = getDb().fetchMaxTweetId( TwitterApplication.getMyselfId(false), StatusTable.TYPE_MENTION); Log.d(TAG, "Max mention id is:" + maxMentionId); List<com.ch_linghu.fanfoudroid.fanfou.Status> statusList; try { if (maxMentionId != null) { statusList = getApi().getMentions( new Paging(maxMentionId)); } else { statusList = getApi().getMentions(); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } int unReadMentionsCount = 0; for (com.ch_linghu.fanfoudroid.fanfou.Status status : statusList) { if (isCancelled()) { return TaskResult.CANCELLED; } Tweet tweet = Tweet.create(status); mNewMentions.add(tweet); unReadMentionsCount = getDb().addNewTweetsAndCountUnread( mNewMentions, TwitterApplication.getMyselfId(false), StatusTable.TYPE_MENTION); if (unReadMentionsCount <= 0) { return TaskResult.FAILED; } } Log.v(TAG, "Got mentions " + unReadMentionsCount + "/" + mNewMentions.size()); if (isCancelled()) { return TaskResult.CANCELLED; } } if (dm_only) { String maxId = getDb().fetchMaxDmId(false); Log.d(TAG, "Max DM id is:" + maxId); List<com.ch_linghu.fanfoudroid.fanfou.DirectMessage> dmList; try { if (maxId != null) { dmList = getApi().getDirectMessages(new Paging(maxId)); } else { dmList = getApi().getDirectMessages(); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } for (com.ch_linghu.fanfoudroid.fanfou.DirectMessage directMessage : dmList) { if (isCancelled()) { return TaskResult.CANCELLED; } Dm dm; dm = Dm.create(directMessage, false); mNewDms.add(dm); Log.d(TAG, mNewDms.size() + " new DMs."); int count = 0; TwitterDatabase db = getDb(); if (db.fetchDmCount() > 0) { count = db.addNewDmsAndCountUnread(mNewDms); } else { Log.d(TAG, "No existing DMs. Don't notify."); db.addDms(mNewDms, false); } if (count <= 0) { return TaskResult.FAILED; } } if (isCancelled()) { return TaskResult.CANCELLED; } } return TaskResult.OK; } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/service/TwitterService.java
Java
asf20
16,138
package com.ch_linghu.fanfoudroid.service; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Calendar; import java.util.GregorianCalendar; import java.util.List; import android.app.AlarmManager; import android.app.PendingIntent; import android.app.Service; import android.appwidget.AppWidgetManager; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.os.Handler; import android.os.IBinder; import android.util.Log; import android.widget.RemoteViews; import com.ch_linghu.fanfoudroid.FanfouWidget; import com.ch_linghu.fanfoudroid.FanfouWidgetSmall; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; public class WidgetService extends Service { protected static final String TAG = "WidgetService"; private int position = 0; private List<Tweet> tweets; private TwitterDatabase getDb() { return TwitterApplication.mDb; } public String getUserId() { return TwitterApplication.getMyselfId(false); } private void fetchMessages() { if (tweets == null) { tweets = new ArrayList<Tweet>(); } else { tweets.clear(); } Cursor cursor = getDb().fetchAllTweets(getUserId(), StatusTable.TYPE_HOME); if (cursor != null) { if (cursor.moveToFirst()) { do { Tweet tweet = StatusTable.parseCursor(cursor); tweets.add(tweet); } while (cursor.moveToNext()); } } } public RemoteViews buildUpdate(Context context) { RemoteViews updateViews = new RemoteViews(context.getPackageName(), R.layout.widget_initial_layout); updateViews .setTextViewText(R.id.status_text, tweets.get(position).text); // updateViews.setOnClickPendingIntent(viewId, pendingIntent) position++; return updateViews; } private Handler handler = new Handler(); private Runnable mTask = new Runnable() { @Override public void run() { Log.d(TAG, "tweets size=" + tweets.size() + " position=" + position); if (position >= tweets.size()) { position = 0; } ComponentName fanfouWidget = new ComponentName(WidgetService.this, FanfouWidget.class); AppWidgetManager manager = AppWidgetManager .getInstance(getBaseContext()); manager.updateAppWidget(fanfouWidget, buildUpdate(WidgetService.this)); handler.postDelayed(mTask, 10000); ComponentName fanfouWidgetSmall = new ComponentName( WidgetService.this, FanfouWidgetSmall.class); AppWidgetManager manager2 = AppWidgetManager .getInstance(getBaseContext()); manager2.updateAppWidget(fanfouWidgetSmall, buildUpdate(WidgetService.this)); handler.postDelayed(mTask, 10000); } }; public static void schedule(Context context) { SharedPreferences preferences = TwitterApplication.mPref; if (!preferences.getBoolean(Preferences.CHECK_UPDATES_KEY, false)) { Log.d(TAG, "Check update preference is false."); return; } String intervalPref = preferences .getString( Preferences.CHECK_UPDATE_INTERVAL_KEY, context.getString(R.string.pref_check_updates_interval_default)); int interval = Integer.parseInt(intervalPref); Intent intent = new Intent(context, WidgetService.class); PendingIntent pending = PendingIntent.getService(context, 0, intent, 0); Calendar c = new GregorianCalendar(); c.add(Calendar.MINUTE, interval); DateFormat df = new SimpleDateFormat("h:mm a"); Log.d(TAG, "Scheduling alarm at " + df.format(c.getTime())); AlarmManager alarm = (AlarmManager) context .getSystemService(Context.ALARM_SERVICE); alarm.cancel(pending); alarm.set(AlarmManager.RTC_WAKEUP, c.getTimeInMillis(), pending); } /** * @see android.app.Service#onBind(Intent) */ @Override public IBinder onBind(Intent intent) { // TODO Put your code here return null; } /** * @see android.app.Service#onCreate() */ @Override public void onCreate() { Log.d(TAG, "WidgetService onCreate"); schedule(WidgetService.this); } /** * @see android.app.Service#onStart(Intent,int) */ @Override public void onStart(Intent intent, int startId) { Log.d(TAG, "WidgetService onStart"); fetchMessages(); handler.removeCallbacks(mTask); handler.postDelayed(mTask, 10000); } @Override public void onDestroy() { Log.d(TAG, "WidgetService Stop "); handler.removeCallbacks(mTask);// 当服务结束时,删除线程 super.onDestroy(); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/service/WidgetService.java
Java
asf20
4,879
package com.ch_linghu.fanfoudroid.service; import java.util.List; import android.content.Context; import android.location.Criteria; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.os.Bundle; import android.util.Log; /** * Location Service * * AndroidManifest.xml <code> * <uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" /> * </code> * * TODO: 使用DDMS对模拟器GPS位置进行更新时, 会造成死机现象 * */ public class LocationService implements IService { private static final String TAG = "LocationService"; private LocationManager mLocationManager; private LocationListener mLocationListener = new MyLocationListener(); private String mLocationProvider; private boolean running = false; public LocationService(Context context) { initLocationManager(context); } private void initLocationManager(Context context) { // Acquire a reference to the system Location Manager mLocationManager = (LocationManager) context .getSystemService(Context.LOCATION_SERVICE); mLocationProvider = mLocationManager.getBestProvider(new Criteria(), false); } public void startService() { if (!running) { Log.v(TAG, "START LOCATION SERVICE, PROVIDER:" + mLocationProvider); running = true; mLocationManager.requestLocationUpdates(mLocationProvider, 0, 0, mLocationListener); } } public void stopService() { if (running) { Log.v(TAG, "STOP LOCATION SERVICE"); running = false; mLocationManager.removeUpdates(mLocationListener); } } /** * @return the last known location for the provider, or null */ public Location getLastKnownLocation() { return mLocationManager.getLastKnownLocation(mLocationProvider); } private class MyLocationListener implements LocationListener { @Override public void onLocationChanged(Location location) { // TODO Auto-generated method stub Log.v(TAG, "LOCATION CHANGED TO: " + location.toString()); } @Override public void onProviderDisabled(String provider) { Log.v(TAG, "PROVIDER DISABLED " + provider); // TODO Auto-generated method stub } @Override public void onProviderEnabled(String provider) { Log.v(TAG, "PROVIDER ENABLED " + provider); // TODO Auto-generated method stub } @Override public void onStatusChanged(String provider, int status, Bundle extras) { // TODO Auto-generated method stub Log.v(TAG, "STATUS CHANGED: " + provider + " " + status); } } // Only for debug public void logAllProviders() { // List all providers: List<String> providers = mLocationManager.getAllProviders(); Log.v(TAG, "LIST ALL PROVIDERS:"); for (String provider : providers) { boolean isEnabled = mLocationManager.isProviderEnabled(provider); Log.v(TAG, "Provider " + provider + ": " + isEnabled); } } // only for debug public static LocationService test(Context context) { LocationService ls = new LocationService(context); ls.startService(); ls.logAllProviders(); Location local = ls.getLastKnownLocation(); if (local != null) { Log.v("LDS", ls.getLastKnownLocation().toString()); } return ls; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/service/LocationService.java
Java
asf20
3,207
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid.service; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.util.Log; /** * This broadcast receiver is awoken after boot and registers the service that * checks for new tweets. */ public class BootReceiver extends BroadcastReceiver { private static final String TAG = "BootReceiver"; @Override public void onReceive(Context context, Intent intent) { Log.d(TAG, "Twitta BootReceiver is receiving."); if (Intent.ACTION_BOOT_COMPLETED.equals(intent.getAction())) { TwitterService.schedule(context); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/service/BootReceiver.java
Java
asf20
1,225
package com.ch_linghu.fanfoudroid.service; public interface IService { void startService(); void stopService(); }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/service/IService.java
Java
asf20
118
package com.ch_linghu.fanfoudroid.http; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.io.Reader; import java.util.regex.Matcher; import java.util.regex.Pattern; import org.apache.http.HttpEntity; import org.apache.http.HttpResponse; import org.apache.http.util.CharArrayBuffer; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import android.util.Log; import com.ch_linghu.fanfoudroid.util.DebugTimer; public class Response { private final HttpResponse mResponse; private boolean mStreamConsumed = false; public Response(HttpResponse res) { mResponse = res; } /** * Convert Response to inputStream * * @return InputStream or null * @throws ResponseException */ public InputStream asStream() throws ResponseException { try { final HttpEntity entity = mResponse.getEntity(); if (entity != null) { return entity.getContent(); } } catch (IllegalStateException e) { throw new ResponseException(e.getMessage(), e); } catch (IOException e) { throw new ResponseException(e.getMessage(), e); } return null; } /** * @deprecated use entity.getContent(); * @param entity * @return * @throws ResponseException */ private InputStream asStream(HttpEntity entity) throws ResponseException { if (null == entity) { return null; } InputStream is = null; try { is = entity.getContent(); } catch (IllegalStateException e) { throw new ResponseException(e.getMessage(), e); } catch (IOException e) { throw new ResponseException(e.getMessage(), e); } // mResponse = null; return is; } /** * Convert Response to Context String * * @return response context string or null * @throws ResponseException */ public String asString() throws ResponseException { try { return entityToString(mResponse.getEntity()); } catch (IOException e) { throw new ResponseException(e.getMessage(), e); } } /** * EntityUtils.toString(entity, "UTF-8"); * * @param entity * @return * @throws IOException * @throws ResponseException */ private String entityToString(final HttpEntity entity) throws IOException, ResponseException { DebugTimer.betweenStart("AS STRING"); if (null == entity) { throw new IllegalArgumentException("HTTP entity may not be null"); } InputStream instream = entity.getContent(); // InputStream instream = asStream(entity); if (instream == null) { return ""; } if (entity.getContentLength() > Integer.MAX_VALUE) { throw new IllegalArgumentException( "HTTP entity too large to be buffered in memory"); } int i = (int) entity.getContentLength(); if (i < 0) { i = 4096; } Log.i("LDS", i + " content length"); Reader reader = new BufferedReader(new InputStreamReader(instream, "UTF-8")); CharArrayBuffer buffer = new CharArrayBuffer(i); try { char[] tmp = new char[1024]; int l; while ((l = reader.read(tmp)) != -1) { buffer.append(tmp, 0, l); } } finally { reader.close(); } DebugTimer.betweenEnd("AS STRING"); return buffer.toString(); } /** * @deprecated use entityToString() * @param in * @return * @throws ResponseException */ private String inputStreamToString(final InputStream in) throws IOException { if (null == in) { return null; } BufferedReader reader = new BufferedReader(new InputStreamReader(in, "UTF-8")); StringBuffer buf = new StringBuffer(); try { char[] buffer = new char[1024]; while ((reader.read(buffer)) != -1) { buf.append(buffer); } return buf.toString(); } finally { if (reader != null) { reader.close(); setStreamConsumed(true); } } } public JSONObject asJSONObject() throws ResponseException { try { return new JSONObject(asString()); } catch (JSONException jsone) { throw new ResponseException(jsone.getMessage() + ":" + asString(), jsone); } } public JSONArray asJSONArray() throws ResponseException { try { return new JSONArray(asString()); } catch (Exception jsone) { throw new ResponseException(jsone.getMessage(), jsone); } } private void setStreamConsumed(boolean mStreamConsumed) { this.mStreamConsumed = mStreamConsumed; } public boolean isStreamConsumed() { return mStreamConsumed; } /** * @deprecated * @return */ public Document asDocument() { // TODO Auto-generated method stub return null; } private static Pattern escaped = Pattern.compile("&#([0-9]{3,5});"); /** * Unescape UTF-8 escaped characters to string. * * @author pengjianq...@gmail.com * * @param original * The string to be unescaped. * @return The unescaped string */ public static String unescape(String original) { Matcher mm = escaped.matcher(original); StringBuffer unescaped = new StringBuffer(); while (mm.find()) { mm.appendReplacement(unescaped, Character.toString((char) Integer .parseInt(mm.group(1), 10))); } mm.appendTail(unescaped); return unescaped.toString(); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/http/Response.java
Java
asf20
5,123
package com.ch_linghu.fanfoudroid.http; /** * HTTP StatusCode is not 200 */ public class HttpException extends Exception { private int statusCode = -1; public HttpException(String msg) { super(msg); } public HttpException(Exception cause) { super(cause); } public HttpException(String msg, int statusCode) { super(msg); this.statusCode = statusCode; } public HttpException(String msg, Exception cause) { super(msg, cause); } public HttpException(String msg, Exception cause, int statusCode) { super(msg, cause); this.statusCode = statusCode; } public int getStatusCode() { return this.statusCode; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/http/HttpException.java
Java
asf20
640
package com.ch_linghu.fanfoudroid.http; import java.io.File; import java.io.IOException; import java.io.InputStream; import java.io.UnsupportedEncodingException; import java.net.URI; import java.net.URISyntaxException; import java.net.URLEncoder; import java.util.ArrayList; import java.util.zip.GZIPInputStream; import javax.net.ssl.SSLHandshakeException; import org.apache.http.Header; import org.apache.http.HeaderElement; import org.apache.http.HttpEntity; import org.apache.http.HttpEntityEnclosingRequest; import org.apache.http.HttpHost; import org.apache.http.HttpRequest; import org.apache.http.HttpRequestInterceptor; import org.apache.http.HttpResponse; import org.apache.http.HttpResponseInterceptor; import org.apache.http.HttpVersion; import org.apache.http.NoHttpResponseException; import org.apache.http.auth.AuthScope; import org.apache.http.auth.AuthState; import org.apache.http.auth.Credentials; import org.apache.http.auth.UsernamePasswordCredentials; import org.apache.http.client.ClientProtocolException; import org.apache.http.client.CredentialsProvider; import org.apache.http.client.HttpRequestRetryHandler; import org.apache.http.client.entity.UrlEncodedFormEntity; import org.apache.http.client.methods.HttpDelete; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.methods.HttpPost; import org.apache.http.client.methods.HttpUriRequest; import org.apache.http.client.protocol.ClientContext; import org.apache.http.conn.params.ConnManagerParams; import org.apache.http.conn.params.ConnRoutePNames; import org.apache.http.conn.scheme.PlainSocketFactory; import org.apache.http.conn.scheme.Scheme; import org.apache.http.conn.scheme.SchemeRegistry; import org.apache.http.conn.ssl.SSLSocketFactory; import org.apache.http.entity.HttpEntityWrapper; import org.apache.http.entity.mime.MultipartEntity; import org.apache.http.entity.mime.content.FileBody; import org.apache.http.entity.mime.content.StringBody; import org.apache.http.impl.auth.BasicScheme; import org.apache.http.impl.client.BasicCredentialsProvider; import org.apache.http.impl.client.DefaultHttpClient; import org.apache.http.impl.conn.tsccm.ThreadSafeClientConnManager; import org.apache.http.message.BasicNameValuePair; import org.apache.http.params.BasicHttpParams; import org.apache.http.params.HttpConnectionParams; import org.apache.http.params.HttpParams; import org.apache.http.params.HttpProtocolParams; import org.apache.http.protocol.BasicHttpContext; import org.apache.http.protocol.ExecutionContext; import org.apache.http.protocol.HTTP; import org.apache.http.protocol.HttpContext; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.fanfou.Configuration; import com.ch_linghu.fanfoudroid.fanfou.RefuseError; import com.ch_linghu.fanfoudroid.util.DebugTimer; /** * Wrap of org.apache.http.impl.client.DefaultHttpClient * * @author lds * */ public class HttpClient { private static final String TAG = "HttpClient"; private final static boolean DEBUG = Configuration.getDebug(); /** OK: Success! */ public static final int OK = 200; /** Not Modified: There was no new data to return. */ public static final int NOT_MODIFIED = 304; /** * Bad Request: The request was invalid. An accompanying error message will * explain why. This is the status code will be returned during rate * limiting. */ public static final int BAD_REQUEST = 400; /** Not Authorized: Authentication credentials were missing or incorrect. */ public static final int NOT_AUTHORIZED = 401; /** * Forbidden: The request is understood, but it has been refused. An * accompanying error message will explain why. */ public static final int FORBIDDEN = 403; /** * Not Found: The URI requested is invalid or the resource requested, such * as a user, does not exists. */ public static final int NOT_FOUND = 404; /** * Not Acceptable: Returned by the Search API when an invalid format is * specified in the request. */ public static final int NOT_ACCEPTABLE = 406; /** * Internal Server Error: Something is broken. Please post to the group so * the Weibo team can investigate. */ public static final int INTERNAL_SERVER_ERROR = 500; /** Bad Gateway: Weibo is down or being upgraded. */ public static final int BAD_GATEWAY = 502; /** * Service Unavailable: The Weibo servers are up, but overloaded with * requests. Try again later. The search and trend methods use this to * indicate when you are being rate limited. */ public static final int SERVICE_UNAVAILABLE = 503; private static final int CONNECTION_TIMEOUT_MS = 30 * 1000; private static final int SOCKET_TIMEOUT_MS = 30 * 1000; public static final int RETRIEVE_LIMIT = 20; public static final int RETRIED_TIME = 3; private static final String SERVER_HOST = "api.fanfou.com"; private DefaultHttpClient mClient; private AuthScope mAuthScope; private BasicHttpContext localcontext; private String mUserId; private String mPassword; private static boolean isAuthenticationEnabled = false; public HttpClient() { prepareHttpClient(); } /** * @param user_id * auth user * @param password * auth password */ public HttpClient(String user_id, String password) { prepareHttpClient(); setCredentials(user_id, password); } /** * Empty the credentials */ public void reset() { setCredentials("", ""); } /** * @return authed user id */ public String getUserId() { return mUserId; } /** * @return authed user password */ public String getPassword() { return mPassword; } /** * @param hostname * the hostname (IP or DNS name) * @param port * the port number. -1 indicates the scheme default port. * @param scheme * the name of the scheme. null indicates the default scheme */ public void setProxy(String host, int port, String scheme) { HttpHost proxy = new HttpHost(host, port, scheme); mClient.getParams().setParameter(ConnRoutePNames.DEFAULT_PROXY, proxy); } public void removeProxy() { mClient.getParams().removeParameter(ConnRoutePNames.DEFAULT_PROXY); } private void enableDebug() { Log.d(TAG, "enable apache.http debug"); java.util.logging.Logger.getLogger("org.apache.http").setLevel( java.util.logging.Level.FINEST); java.util.logging.Logger.getLogger("org.apache.http.wire").setLevel( java.util.logging.Level.FINER); java.util.logging.Logger.getLogger("org.apache.http.headers").setLevel( java.util.logging.Level.OFF); /* * System.setProperty("log.tag.org.apache.http", "VERBOSE"); * System.setProperty("log.tag.org.apache.http.wire", "VERBOSE"); * System.setProperty("log.tag.org.apache.http.headers", "VERBOSE"); * * 在这里使用System.setProperty设置不会生效, 原因不明, 必须在终端上输入以下命令方能开启http调试信息: > adb * shell setprop log.tag.org.apache.http VERBOSE > adb shell setprop * log.tag.org.apache.http.wire VERBOSE > adb shell setprop * log.tag.org.apache.http.headers VERBOSE */ } /** * Setup DefaultHttpClient * * Use ThreadSafeClientConnManager. * */ private void prepareHttpClient() { if (DEBUG) { enableDebug(); } // Create and initialize HTTP parameters HttpParams params = new BasicHttpParams(); ConnManagerParams.setMaxTotalConnections(params, 10); HttpProtocolParams.setVersion(params, HttpVersion.HTTP_1_1); // Create and initialize scheme registry SchemeRegistry schemeRegistry = new SchemeRegistry(); schemeRegistry.register(new Scheme("http", PlainSocketFactory .getSocketFactory(), 80)); schemeRegistry.register(new Scheme("https", SSLSocketFactory .getSocketFactory(), 443)); // Create an HttpClient with the ThreadSafeClientConnManager. ThreadSafeClientConnManager cm = new ThreadSafeClientConnManager( params, schemeRegistry); mClient = new DefaultHttpClient(cm, params); // Setup BasicAuth BasicScheme basicScheme = new BasicScheme(); mAuthScope = new AuthScope(SERVER_HOST, AuthScope.ANY_PORT); // mClient.setAuthSchemes(authRegistry); mClient.setCredentialsProvider(new BasicCredentialsProvider()); // Generate BASIC scheme object and stick it to the local // execution context localcontext = new BasicHttpContext(); localcontext.setAttribute("preemptive-auth", basicScheme); // first request interceptor mClient.addRequestInterceptor(preemptiveAuth, 0); // Support GZIP mClient.addResponseInterceptor(gzipResponseIntercepter); // TODO: need to release this connection in httpRequest() // cm.releaseConnection(conn, validDuration, timeUnit); // httpclient.getConnectionManager().shutdown(); } /** * HttpRequestInterceptor for DefaultHttpClient */ private static HttpRequestInterceptor preemptiveAuth = new HttpRequestInterceptor() { @Override public void process(final HttpRequest request, final HttpContext context) { AuthState authState = (AuthState) context .getAttribute(ClientContext.TARGET_AUTH_STATE); CredentialsProvider credsProvider = (CredentialsProvider) context .getAttribute(ClientContext.CREDS_PROVIDER); HttpHost targetHost = (HttpHost) context .getAttribute(ExecutionContext.HTTP_TARGET_HOST); if (authState.getAuthScheme() == null) { AuthScope authScope = new AuthScope(targetHost.getHostName(), targetHost.getPort()); Credentials creds = credsProvider.getCredentials(authScope); if (creds != null) { authState.setAuthScheme(new BasicScheme()); authState.setCredentials(creds); } } } }; private static HttpResponseInterceptor gzipResponseIntercepter = new HttpResponseInterceptor() { @Override public void process(HttpResponse response, HttpContext context) throws org.apache.http.HttpException, IOException { HttpEntity entity = response.getEntity(); Header ceheader = entity.getContentEncoding(); if (ceheader != null) { HeaderElement[] codecs = ceheader.getElements(); for (int i = 0; i < codecs.length; i++) { if (codecs[i].getName().equalsIgnoreCase("gzip")) { response.setEntity(new GzipDecompressingEntity(response .getEntity())); return; } } } } }; static class GzipDecompressingEntity extends HttpEntityWrapper { public GzipDecompressingEntity(final HttpEntity entity) { super(entity); } @Override public InputStream getContent() throws IOException, IllegalStateException { // the wrapped entity's getContent() decides about repeatability InputStream wrappedin = wrappedEntity.getContent(); return new GZIPInputStream(wrappedin); } @Override public long getContentLength() { // length of ungzipped content is not known return -1; } } /** * Setup Credentials for HTTP Basic Auth * * @param username * @param password */ public void setCredentials(String username, String password) { mUserId = username; mPassword = password; mClient.getCredentialsProvider().setCredentials(mAuthScope, new UsernamePasswordCredentials(username, password)); isAuthenticationEnabled = true; } public Response post(String url, ArrayList<BasicNameValuePair> postParams, boolean authenticated) throws HttpException { if (null == postParams) { postParams = new ArrayList<BasicNameValuePair>(); } return httpRequest(url, postParams, authenticated, HttpPost.METHOD_NAME); } public Response post(String url, ArrayList<BasicNameValuePair> params) throws HttpException { return httpRequest(url, params, false, HttpPost.METHOD_NAME); } public Response post(String url, boolean authenticated) throws HttpException { return httpRequest(url, null, authenticated, HttpPost.METHOD_NAME); } public Response post(String url) throws HttpException { return httpRequest(url, null, false, HttpPost.METHOD_NAME); } public Response post(String url, File file) throws HttpException { return httpRequest(url, null, file, false, HttpPost.METHOD_NAME); } /** * POST一个文件 * * @param url * @param file * @param authenticate * @return * @throws HttpException */ public Response post(String url, File file, boolean authenticate) throws HttpException { return httpRequest(url, null, file, authenticate, HttpPost.METHOD_NAME); } public Response get(String url, ArrayList<BasicNameValuePair> params, boolean authenticated) throws HttpException { return httpRequest(url, params, authenticated, HttpGet.METHOD_NAME); } public Response get(String url, ArrayList<BasicNameValuePair> params) throws HttpException { return httpRequest(url, params, false, HttpGet.METHOD_NAME); } public Response get(String url) throws HttpException { return httpRequest(url, null, false, HttpGet.METHOD_NAME); } public Response get(String url, boolean authenticated) throws HttpException { return httpRequest(url, null, authenticated, HttpGet.METHOD_NAME); } public Response httpRequest(String url, ArrayList<BasicNameValuePair> postParams, boolean authenticated, String httpMethod) throws HttpException { return httpRequest(url, postParams, null, authenticated, httpMethod); } /** * Execute the DefaultHttpClient * * @param url * target * @param postParams * @param file * can be NULL * @param authenticated * need or not * @param httpMethod * HttpPost.METHOD_NAME HttpGet.METHOD_NAME * HttpDelete.METHOD_NAME * @return Response from server * @throws HttpException * 此异常包装了一系列底层异常 <br /> * <br /> * 1. 底层异常, 可使用getCause()查看: <br /> * <li>URISyntaxException, 由`new URI` 引发的.</li> <li>IOException, * 由`createMultipartEntity` 或 `UrlEncodedFormEntity` 引发的.</li> * <li>IOException和ClientProtocolException, * 由`HttpClient.execute` 引发的.</li><br /> * * 2. 当响应码不为200时报出的各种子类异常: <li>HttpRequestException, * 通常发生在请求的错误,如请求错误了 网址导致404等, 抛出此异常, 首先检查request log, * 确认不是人为错误导致请求失败</li> <li>HttpAuthException, 通常发生在Auth失败, * 检查用于验证登录的用户名/密码/KEY等</li> <li>HttpRefusedException, * 通常发生在服务器接受到请求, 但拒绝请求, 可是多种原因, 具体原因 服务器会返回拒绝理由, * 调用HttpRefusedException#getError#getMessage查看</li> <li> * HttpServerException, 通常发生在服务器发生错误时, 检查服务器端是否在正常提供服务</li> <li> * HttpException, 其他未知错误.</li> */ public Response httpRequest(String url, ArrayList<BasicNameValuePair> postParams, File file, boolean authenticated, String httpMethod) throws HttpException { Log.d(TAG, "Sending " + httpMethod + " request to " + url); if (TwitterApplication.DEBUG) { DebugTimer.betweenStart("HTTP"); } URI uri = createURI(url); HttpResponse response = null; Response res = null; HttpUriRequest method = null; // Create POST, GET or DELETE METHOD method = createMethod(httpMethod, uri, file, postParams); // Setup ConnectionParams, Request Headers SetupHTTPConnectionParams(method); // Execute Request try { response = mClient.execute(method, localcontext); res = new Response(response); } catch (ClientProtocolException e) { Log.e(TAG, e.getMessage(), e); throw new HttpException(e.getMessage(), e); } catch (IOException ioe) { throw new HttpException(ioe.getMessage(), ioe); } if (response != null) { int statusCode = response.getStatusLine().getStatusCode(); // It will throw a weiboException while status code is not 200 HandleResponseStatusCode(statusCode, res); } else { Log.e(TAG, "response is null"); } if (TwitterApplication.DEBUG) { DebugTimer.betweenEnd("HTTP"); } return res; } /** * CreateURI from URL string * * @param url * @return request URI * @throws HttpException * Cause by URISyntaxException */ private URI createURI(String url) throws HttpException { URI uri; try { uri = new URI(url); } catch (URISyntaxException e) { Log.e(TAG, e.getMessage(), e); throw new HttpException("Invalid URL."); } return uri; } /** * 创建可带一个File的MultipartEntity * * @param filename * 文件名 * @param file * 文件 * @param postParams * 其他POST参数 * @return 带文件和其他参数的Entity * @throws UnsupportedEncodingException */ private MultipartEntity createMultipartEntity(String filename, File file, ArrayList<BasicNameValuePair> postParams) throws UnsupportedEncodingException { MultipartEntity entity = new MultipartEntity(); // Don't try this. Server does not appear to support chunking. // entity.addPart("media", new InputStreamBody(imageStream, "media")); entity.addPart(filename, new FileBody(file)); for (BasicNameValuePair param : postParams) { entity.addPart(param.getName(), new StringBody(param.getValue())); } return entity; } /** * Setup HTTPConncetionParams * * @param method */ private void SetupHTTPConnectionParams(HttpUriRequest method) { HttpConnectionParams.setConnectionTimeout(method.getParams(), CONNECTION_TIMEOUT_MS); HttpConnectionParams .setSoTimeout(method.getParams(), SOCKET_TIMEOUT_MS); mClient.setHttpRequestRetryHandler(requestRetryHandler); method.addHeader("Accept-Encoding", "gzip, deflate"); method.addHeader("Accept-Charset", "UTF-8,*;q=0.5"); } /** * Create request method, such as POST, GET, DELETE * * @param httpMethod * "GET","POST","DELETE" * @param uri * 请求的URI * @param file * 可为null * @param postParams * POST参数 * @return httpMethod Request implementations for the various HTTP methods * like GET and POST. * @throws HttpException * createMultipartEntity 或 UrlEncodedFormEntity引发的IOException */ private HttpUriRequest createMethod(String httpMethod, URI uri, File file, ArrayList<BasicNameValuePair> postParams) throws HttpException { HttpUriRequest method; if (httpMethod.equalsIgnoreCase(HttpPost.METHOD_NAME)) { // POST METHOD HttpPost post = new HttpPost(uri); // See this: // http://groups.google.com/group/twitter-development-talk/browse_thread/thread/e178b1d3d63d8e3b post.getParams().setBooleanParameter( "http.protocol.expect-continue", false); try { HttpEntity entity = null; if (null != file) { entity = createMultipartEntity("photo", file, postParams); post.setEntity(entity); } else if (null != postParams) { entity = new UrlEncodedFormEntity(postParams, HTTP.UTF_8); } post.setEntity(entity); } catch (IOException ioe) { throw new HttpException(ioe.getMessage(), ioe); } method = post; } else if (httpMethod.equalsIgnoreCase(HttpDelete.METHOD_NAME)) { method = new HttpDelete(uri); } else { method = new HttpGet(uri); } return method; } /** * 解析HTTP错误码 * * @param statusCode * @return */ private static String getCause(int statusCode) { String cause = null; switch (statusCode) { case NOT_MODIFIED: break; case BAD_REQUEST: cause = "The request was invalid. An accompanying error message will explain why. This is the status code will be returned during rate limiting."; break; case NOT_AUTHORIZED: cause = "Authentication credentials were missing or incorrect."; break; case FORBIDDEN: cause = "The request is understood, but it has been refused. An accompanying error message will explain why."; break; case NOT_FOUND: cause = "The URI requested is invalid or the resource requested, such as a user, does not exists."; break; case NOT_ACCEPTABLE: cause = "Returned by the Search API when an invalid format is specified in the request."; break; case INTERNAL_SERVER_ERROR: cause = "Something is broken. Please post to the group so the Weibo team can investigate."; break; case BAD_GATEWAY: cause = "Weibo is down or being upgraded."; break; case SERVICE_UNAVAILABLE: cause = "Service Unavailable: The Weibo servers are up, but overloaded with requests. Try again later. The search and trend methods use this to indicate when you are being rate limited."; break; default: cause = ""; } return statusCode + ":" + cause; } public boolean isAuthenticationEnabled() { return isAuthenticationEnabled; } public static void log(String msg) { if (DEBUG) { Log.d(TAG, msg); } } /** * Handle Status code * * @param statusCode * 响应的状态码 * @param res * 服务器响应 * @throws HttpException * 当响应码不为200时都会报出此异常:<br /> * <li>HttpRequestException, 通常发生在请求的错误,如请求错误了 网址导致404等, 抛出此异常, * 首先检查request log, 确认不是人为错误导致请求失败</li> <li>HttpAuthException, * 通常发生在Auth失败, 检查用于验证登录的用户名/密码/KEY等</li> <li> * HttpRefusedException, 通常发生在服务器接受到请求, 但拒绝请求, 可是多种原因, 具体原因 * 服务器会返回拒绝理由, 调用HttpRefusedException#getError#getMessage查看</li> * <li>HttpServerException, 通常发生在服务器发生错误时, 检查服务器端是否在正常提供服务</li> * <li>HttpException, 其他未知错误.</li> */ private void HandleResponseStatusCode(int statusCode, Response res) throws HttpException { String msg = getCause(statusCode) + "\n"; RefuseError error = null; switch (statusCode) { // It's OK, do nothing case OK: break; // Mine mistake, Check the Log case NOT_MODIFIED: case BAD_REQUEST: case NOT_FOUND: case NOT_ACCEPTABLE: throw new HttpException(msg + res.asString(), statusCode); // UserName/Password incorrect case NOT_AUTHORIZED: throw new HttpAuthException(msg + res.asString(), statusCode); // Server will return a error message, use // HttpRefusedException#getError() to see. case FORBIDDEN: throw new HttpRefusedException(msg, statusCode); // Something wrong with server case INTERNAL_SERVER_ERROR: case BAD_GATEWAY: case SERVICE_UNAVAILABLE: throw new HttpServerException(msg, statusCode); // Others default: throw new HttpException(msg + res.asString(), statusCode); } } public static String encode(String value) throws HttpException { try { return URLEncoder.encode(value, HTTP.UTF_8); } catch (UnsupportedEncodingException e_e) { throw new HttpException(e_e.getMessage(), e_e); } } public static String encodeParameters(ArrayList<BasicNameValuePair> params) throws HttpException { StringBuffer buf = new StringBuffer(); for (int j = 0; j < params.size(); j++) { if (j != 0) { buf.append("&"); } try { buf.append(URLEncoder.encode(params.get(j).getName(), "UTF-8")) .append("=") .append(URLEncoder.encode(params.get(j).getValue(), "UTF-8")); } catch (java.io.UnsupportedEncodingException neverHappen) { throw new HttpException(neverHappen.getMessage(), neverHappen); } } return buf.toString(); } /** * 异常自动恢复处理, 使用HttpRequestRetryHandler接口实现请求的异常恢复 */ private static HttpRequestRetryHandler requestRetryHandler = new HttpRequestRetryHandler() { // 自定义的恢复策略 public boolean retryRequest(IOException exception, int executionCount, HttpContext context) { // 设置恢复策略,在发生异常时候将自动重试N次 if (executionCount >= RETRIED_TIME) { // Do not retry if over max retry count return false; } if (exception instanceof NoHttpResponseException) { // Retry if the server dropped connection on us return true; } if (exception instanceof SSLHandshakeException) { // Do not retry on SSL handshake exception return false; } HttpRequest request = (HttpRequest) context .getAttribute(ExecutionContext.HTTP_REQUEST); boolean idempotent = (request instanceof HttpEntityEnclosingRequest); if (!idempotent) { // Retry if the request is considered idempotent return true; } return false; } }; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/http/HttpClient.java
Java
asf20
24,743
package com.ch_linghu.fanfoudroid.http; import java.util.HashMap; import java.util.Map; public class HTMLEntity { public static String escape(String original) { StringBuffer buf = new StringBuffer(original); escape(buf); return buf.toString(); } public static void escape(StringBuffer original) { int index = 0; String escaped; while (index < original.length()) { escaped = entityEscapeMap.get(original.substring(index, index + 1)); if (null != escaped) { original.replace(index, index + 1, escaped); index += escaped.length(); } else { index++; } } } public static String unescape(String original) { StringBuffer buf = new StringBuffer(original); unescape(buf); return buf.toString(); } public static void unescape(StringBuffer original) { int index = 0; int semicolonIndex = 0; String escaped; String entity; while (index < original.length()) { index = original.indexOf("&", index); if (-1 == index) { break; } semicolonIndex = original.indexOf(";", index); if (-1 != semicolonIndex && 10 > (semicolonIndex - index)) { escaped = original.substring(index, semicolonIndex + 1); entity = escapeEntityMap.get(escaped); if (null != entity) { original.replace(index, semicolonIndex + 1, entity); } index++; } else { break; } } } private static Map<String, String> entityEscapeMap = new HashMap<String, String>(); private static Map<String, String> escapeEntityMap = new HashMap<String, String>(); static { String[][] entities = { { "&nbsp;", "&#160;"/* no-break space = non-breaking space */, "\u00A0" }, { "&iexcl;", "&#161;"/* inverted exclamation mark */, "\u00A1" }, { "&cent;", "&#162;"/* cent sign */, "\u00A2" }, { "&pound;", "&#163;"/* pound sign */, "\u00A3" }, { "&curren;", "&#164;"/* currency sign */, "\u00A4" }, { "&yen;", "&#165;"/* yen sign = yuan sign */, "\u00A5" }, { "&brvbar;", "&#166;"/* broken bar = broken vertical bar */, "\u00A6" }, { "&sect;", "&#167;"/* section sign */, "\u00A7" }, { "&uml;", "&#168;"/* diaeresis = spacing diaeresis */, "\u00A8" }, { "&copy;", "&#169;"/* copyright sign */, "\u00A9" }, { "&ordf;", "&#170;"/* feminine ordinal indicator */, "\u00AA" }, { "&laquo;", "&#171;"/* * left-pointing double angle quotation mark * = left pointing guillemet */, "\u00AB" }, { "&not;", "&#172;"/* not sign = discretionary hyphen */, "\u00AC" }, { "&shy;", "&#173;"/* soft hyphen = discretionary hyphen */, "\u00AD" }, { "&reg;", "&#174;"/* * registered sign = registered trade mark * sign */, "\u00AE" }, { "&macr;", "&#175;"/* * macron = spacing macron = overline = APL * overbar */, "\u00AF" }, { "&deg;", "&#176;"/* degree sign */, "\u00B0" }, { "&plusmn;", "&#177;"/* plus-minus sign = plus-or-minus sign */, "\u00B1" }, { "&sup2;", "&#178;"/* * superscript two = superscript digit two = * squared */, "\u00B2" }, { "&sup3;", "&#179;"/* * superscript three = superscript digit * three = cubed */, "\u00B3" }, { "&acute;", "&#180;"/* acute accent = spacing acute */, "\u00B4" }, { "&micro;", "&#181;"/* micro sign */, "\u00B5" }, { "&para;", "&#182;"/* pilcrow sign = paragraph sign */, "\u00B6" }, { "&middot;", "&#183;"/* * middle dot = Georgian comma = Greek * middle dot */, "\u00B7" }, { "&cedil;", "&#184;"/* cedilla = spacing cedilla */, "\u00B8" }, { "&sup1;", "&#185;"/* superscript one = superscript digit one */, "\u00B9" }, { "&ordm;", "&#186;"/* masculine ordinal indicator */, "\u00BA" }, { "&raquo;", "&#187;"/* * right-pointing double angle quotation * mark = right pointing guillemet */, "\u00BB" }, { "&frac14;", "&#188;"/* * vulgar fraction one quarter = fraction * one quarter */, "\u00BC" }, { "&frac12;", "&#189;"/* * vulgar fraction one half = fraction one * half */, "\u00BD" }, { "&frac34;", "&#190;"/* * vulgar fraction three quarters = fraction * three quarters */, "\u00BE" }, { "&iquest;", "&#191;"/* * inverted question mark = turned question * mark */, "\u00BF" }, { "&Agrave;", "&#192;"/* * latin capital letter A with grave = latin * capital letter A grave */, "\u00C0" }, { "&Aacute;", "&#193;"/* latin capital letter A with acute */, "\u00C1" }, { "&Acirc;", "&#194;"/* latin capital letter A with circumflex */, "\u00C2" }, { "&Atilde;", "&#195;"/* latin capital letter A with tilde */, "\u00C3" }, { "&Auml;", "&#196;"/* latin capital letter A with diaeresis */, "\u00C4" }, { "&Aring;", "&#197;"/* * latin capital letter A with ring above = * latin capital letter A ring */, "\u00C5" }, { "&AElig;", "&#198;"/* * latin capital letter AE = latin capital * ligature AE */, "\u00C6" }, { "&Ccedil;", "&#199;"/* latin capital letter C with cedilla */, "\u00C7" }, { "&Egrave;", "&#200;"/* latin capital letter E with grave */, "\u00C8" }, { "&Eacute;", "&#201;"/* latin capital letter E with acute */, "\u00C9" }, { "&Ecirc;", "&#202;"/* latin capital letter E with circumflex */, "\u00CA" }, { "&Euml;", "&#203;"/* latin capital letter E with diaeresis */, "\u00CB" }, { "&Igrave;", "&#204;"/* latin capital letter I with grave */, "\u00CC" }, { "&Iacute;", "&#205;"/* latin capital letter I with acute */, "\u00CD" }, { "&Icirc;", "&#206;"/* latin capital letter I with circumflex */, "\u00CE" }, { "&Iuml;", "&#207;"/* latin capital letter I with diaeresis */, "\u00CF" }, { "&ETH;", "&#208;"/* latin capital letter ETH */, "\u00D0" }, { "&Ntilde;", "&#209;"/* latin capital letter N with tilde */, "\u00D1" }, { "&Ograve;", "&#210;"/* latin capital letter O with grave */, "\u00D2" }, { "&Oacute;", "&#211;"/* latin capital letter O with acute */, "\u00D3" }, { "&Ocirc;", "&#212;"/* latin capital letter O with circumflex */, "\u00D4" }, { "&Otilde;", "&#213;"/* latin capital letter O with tilde */, "\u00D5" }, { "&Ouml;", "&#214;"/* latin capital letter O with diaeresis */, "\u00D6" }, { "&times;", "&#215;"/* multiplication sign */, "\u00D7" }, { "&Oslash;", "&#216;"/* * latin capital letter O with stroke = * latin capital letter O slash */, "\u00D8" }, { "&Ugrave;", "&#217;"/* latin capital letter U with grave */, "\u00D9" }, { "&Uacute;", "&#218;"/* latin capital letter U with acute */, "\u00DA" }, { "&Ucirc;", "&#219;"/* latin capital letter U with circumflex */, "\u00DB" }, { "&Uuml;", "&#220;"/* latin capital letter U with diaeresis */, "\u00DC" }, { "&Yacute;", "&#221;"/* latin capital letter Y with acute */, "\u00DD" }, { "&THORN;", "&#222;"/* latin capital letter THORN */, "\u00DE" }, { "&szlig;", "&#223;"/* latin small letter sharp s = ess-zed */, "\u00DF" }, { "&agrave;", "&#224;"/* * latin small letter a with grave = latin * small letter a grave */, "\u00E0" }, { "&aacute;", "&#225;"/* latin small letter a with acute */, "\u00E1" }, { "&acirc;", "&#226;"/* latin small letter a with circumflex */, "\u00E2" }, { "&atilde;", "&#227;"/* latin small letter a with tilde */, "\u00E3" }, { "&auml;", "&#228;"/* latin small letter a with diaeresis */, "\u00E4" }, { "&aring;", "&#229;"/* * latin small letter a with ring above = * latin small letter a ring */, "\u00E5" }, { "&aelig;", "&#230;"/* * latin small letter ae = latin small * ligature ae */, "\u00E6" }, { "&ccedil;", "&#231;"/* latin small letter c with cedilla */, "\u00E7" }, { "&egrave;", "&#232;"/* latin small letter e with grave */, "\u00E8" }, { "&eacute;", "&#233;"/* latin small letter e with acute */, "\u00E9" }, { "&ecirc;", "&#234;"/* latin small letter e with circumflex */, "\u00EA" }, { "&euml;", "&#235;"/* latin small letter e with diaeresis */, "\u00EB" }, { "&igrave;", "&#236;"/* latin small letter i with grave */, "\u00EC" }, { "&iacute;", "&#237;"/* latin small letter i with acute */, "\u00ED" }, { "&icirc;", "&#238;"/* latin small letter i with circumflex */, "\u00EE" }, { "&iuml;", "&#239;"/* latin small letter i with diaeresis */, "\u00EF" }, { "&eth;", "&#240;"/* latin small letter eth */, "\u00F0" }, { "&ntilde;", "&#241;"/* latin small letter n with tilde */, "\u00F1" }, { "&ograve;", "&#242;"/* latin small letter o with grave */, "\u00F2" }, { "&oacute;", "&#243;"/* latin small letter o with acute */, "\u00F3" }, { "&ocirc;", "&#244;"/* latin small letter o with circumflex */, "\u00F4" }, { "&otilde;", "&#245;"/* latin small letter o with tilde */, "\u00F5" }, { "&ouml;", "&#246;"/* latin small letter o with diaeresis */, "\u00F6" }, { "&divide;", "&#247;"/* division sign */, "\u00F7" }, { "&oslash;", "&#248;"/* * latin small letter o with stroke = latin * small letter o slash */, "\u00F8" }, { "&ugrave;", "&#249;"/* latin small letter u with grave */, "\u00F9" }, { "&uacute;", "&#250;"/* latin small letter u with acute */, "\u00FA" }, { "&ucirc;", "&#251;"/* latin small letter u with circumflex */, "\u00FB" }, { "&uuml;", "&#252;"/* latin small letter u with diaeresis */, "\u00FC" }, { "&yacute;", "&#253;"/* latin small letter y with acute */, "\u00FD" }, { "&thorn;", "&#254;"/* latin small letter thorn with */, "\u00FE" }, { "&yuml;", "&#255;"/* latin small letter y with diaeresis */, "\u00FF" }, { "&fnof;", "&#402;"/* * latin small f with hook = function = * florin */, "\u0192" } /* Greek */ , { "&Alpha;", "&#913;"/* greek capital letter alpha */, "\u0391" }, { "&Beta;", "&#914;"/* greek capital letter beta */, "\u0392" }, { "&Gamma;", "&#915;"/* greek capital letter gamma */, "\u0393" }, { "&Delta;", "&#916;"/* greek capital letter delta */, "\u0394" }, { "&Epsilon;", "&#917;"/* greek capital letter epsilon */, "\u0395" }, { "&Zeta;", "&#918;"/* greek capital letter zeta */, "\u0396" }, { "&Eta;", "&#919;"/* greek capital letter eta */, "\u0397" }, { "&Theta;", "&#920;"/* greek capital letter theta */, "\u0398" }, { "&Iota;", "&#921;"/* greek capital letter iota */, "\u0399" }, { "&Kappa;", "&#922;"/* greek capital letter kappa */, "\u039A" }, { "&Lambda;", "&#923;"/* greek capital letter lambda */, "\u039B" }, { "&Mu;", "&#924;"/* greek capital letter mu */, "\u039C" }, { "&Nu;", "&#925;"/* greek capital letter nu */, "\u039D" }, { "&Xi;", "&#926;"/* greek capital letter xi */, "\u039E" }, { "&Omicron;", "&#927;"/* greek capital letter omicron */, "\u039F" }, { "&Pi;", "&#928;"/* greek capital letter pi */, "\u03A0" }, { "&Rho;", "&#929;"/* greek capital letter rho */, "\u03A1" } /* there is no Sigmaf and no \u03A2 */ , { "&Sigma;", "&#931;"/* greek capital letter sigma */, "\u03A3" }, { "&Tau;", "&#932;"/* greek capital letter tau */, "\u03A4" }, { "&Upsilon;", "&#933;"/* greek capital letter upsilon */, "\u03A5" }, { "&Phi;", "&#934;"/* greek capital letter phi */, "\u03A6" }, { "&Chi;", "&#935;"/* greek capital letter chi */, "\u03A7" }, { "&Psi;", "&#936;"/* greek capital letter psi */, "\u03A8" }, { "&Omega;", "&#937;"/* greek capital letter omega */, "\u03A9" }, { "&alpha;", "&#945;"/* greek small letter alpha */, "\u03B1" }, { "&beta;", "&#946;"/* greek small letter beta */, "\u03B2" }, { "&gamma;", "&#947;"/* greek small letter gamma */, "\u03B3" }, { "&delta;", "&#948;"/* greek small letter delta */, "\u03B4" }, { "&epsilon;", "&#949;"/* greek small letter epsilon */, "\u03B5" }, { "&zeta;", "&#950;"/* greek small letter zeta */, "\u03B6" }, { "&eta;", "&#951;"/* greek small letter eta */, "\u03B7" }, { "&theta;", "&#952;"/* greek small letter theta */, "\u03B8" }, { "&iota;", "&#953;"/* greek small letter iota */, "\u03B9" }, { "&kappa;", "&#954;"/* greek small letter kappa */, "\u03BA" }, { "&lambda;", "&#955;"/* greek small letter lambda */, "\u03BB" }, { "&mu;", "&#956;"/* greek small letter mu */, "\u03BC" }, { "&nu;", "&#957;"/* greek small letter nu */, "\u03BD" }, { "&xi;", "&#958;"/* greek small letter xi */, "\u03BE" }, { "&omicron;", "&#959;"/* greek small letter omicron */, "\u03BF" }, { "&pi;", "&#960;"/* greek small letter pi */, "\u03C0" }, { "&rho;", "&#961;"/* greek small letter rho */, "\u03C1" }, { "&sigmaf;", "&#962;"/* greek small letter final sigma */, "\u03C2" }, { "&sigma;", "&#963;"/* greek small letter sigma */, "\u03C3" }, { "&tau;", "&#964;"/* greek small letter tau */, "\u03C4" }, { "&upsilon;", "&#965;"/* greek small letter upsilon */, "\u03C5" }, { "&phi;", "&#966;"/* greek small letter phi */, "\u03C6" }, { "&chi;", "&#967;"/* greek small letter chi */, "\u03C7" }, { "&psi;", "&#968;"/* greek small letter psi */, "\u03C8" }, { "&omega;", "&#969;"/* greek small letter omega */, "\u03C9" }, { "&thetasym;", "&#977;"/* greek small letter theta symbol */, "\u03D1" }, { "&upsih;", "&#978;"/* greek upsilon with hook symbol */, "\u03D2" }, { "&piv;", "&#982;"/* greek pi symbol */, "\u03D6" } /* General Punctuation */ , { "&bull;", "&#8226;"/* bullet = black small circle */, "\u2022" } /* bullet is NOT the same as bullet operator ,"\u2219 */ , { "&hellip;", "&#8230;"/* * horizontal ellipsis = three dot * leader */, "\u2026" }, { "&prime;", "&#8242;"/* prime = minutes = feet */, "\u2032" }, { "&Prime;", "&#8243;"/* double prime = seconds = inches */, "\u2033" }, { "&oline;", "&#8254;"/* overline = spacing overscore */, "\u203E" }, { "&frasl;", "&#8260;"/* fraction slash */, "\u2044" } /* Letterlike Symbols */ , { "&weierp;", "&#8472;"/* * script capital P = power set = * Weierstrass p */, "\u2118" }, { "&image;", "&#8465;"/* blackletter capital I = imaginary part */, "\u2111" }, { "&real;", "&#8476;"/* blackletter capital R = real part symbol */, "\u211C" }, { "&trade;", "&#8482;"/* trade mark sign */, "\u2122" }, { "&alefsym;", "&#8501;"/* * alef symbol = first transfinite * cardinal */, "\u2135" } /* alef symbol is NOT the same as hebrew letter alef ,"\u05D0"} */ /* Arrows */ , { "&larr;", "&#8592;"/* leftwards arrow */, "\u2190" }, { "&uarr;", "&#8593;"/* upwards arrow */, "\u2191" }, { "&rarr;", "&#8594;"/* rightwards arrow */, "\u2192" }, { "&darr;", "&#8595;"/* downwards arrow */, "\u2193" }, { "&harr;", "&#8596;"/* left right arrow */, "\u2194" }, { "&crarr;", "&#8629;"/* * downwards arrow with corner leftwards = * carriage return */, "\u21B5" }, { "&lArr;", "&#8656;"/* leftwards double arrow */, "\u21D0" } /* * Unicode does not say that lArr is the same as the 'is implied * by' arrow but also does not have any other character for that * function. So ? lArr can be used for 'is implied by' as * ISOtech suggests */ , { "&uArr;", "&#8657;"/* upwards double arrow */, "\u21D1" }, { "&rArr;", "&#8658;"/* rightwards double arrow */, "\u21D2" } /* * Unicode does not say this is the 'implies' character but does * not have another character with this function so ? rArr can * be used for 'implies' as ISOtech suggests */ , { "&dArr;", "&#8659;"/* downwards double arrow */, "\u21D3" }, { "&hArr;", "&#8660;"/* left right double arrow */, "\u21D4" } /* Mathematical Operators */ , { "&forall;", "&#8704;"/* for all */, "\u2200" }, { "&part;", "&#8706;"/* partial differential */, "\u2202" }, { "&exist;", "&#8707;"/* there exists */, "\u2203" }, { "&empty;", "&#8709;"/* empty set = null set = diameter */, "\u2205" }, { "&nabla;", "&#8711;"/* nabla = backward difference */, "\u2207" }, { "&isin;", "&#8712;"/* element of */, "\u2208" }, { "&notin;", "&#8713;"/* not an element of */, "\u2209" }, { "&ni;", "&#8715;"/* contains as member */, "\u220B" } /* should there be a more memorable name than 'ni'? */ , { "&prod;", "&#8719;"/* n-ary product = product sign */, "\u220F" } /* prod is NOT the same character as ,"\u03A0"} */ , { "&sum;", "&#8721;"/* n-ary sumation */, "\u2211" } /* sum is NOT the same character as ,"\u03A3"} */ , { "&minus;", "&#8722;"/* minus sign */, "\u2212" }, { "&lowast;", "&#8727;"/* asterisk operator */, "\u2217" }, { "&radic;", "&#8730;"/* square root = radical sign */, "\u221A" }, { "&prop;", "&#8733;"/* proportional to */, "\u221D" }, { "&infin;", "&#8734;"/* infinity */, "\u221E" }, { "&ang;", "&#8736;"/* angle */, "\u2220" }, { "&and;", "&#8743;"/* logical and = wedge */, "\u2227" }, { "&or;", "&#8744;"/* logical or = vee */, "\u2228" }, { "&cap;", "&#8745;"/* intersection = cap */, "\u2229" }, { "&cup;", "&#8746;"/* union = cup */, "\u222A" }, { "&int;", "&#8747;"/* integral */, "\u222B" }, { "&there4;", "&#8756;"/* therefore */, "\u2234" }, { "&sim;", "&#8764;"/* tilde operator = varies with = similar to */, "\u223C" } /* * tilde operator is NOT the same character as the tilde * ,"\u007E"} */ , { "&cong;", "&#8773;"/* approximately equal to */, "\u2245" }, { "&asymp;", "&#8776;"/* almost equal to = asymptotic to */, "\u2248" }, { "&ne;", "&#8800;"/* not equal to */, "\u2260" }, { "&equiv;", "&#8801;"/* identical to */, "\u2261" }, { "&le;", "&#8804;"/* less-than or equal to */, "\u2264" }, { "&ge;", "&#8805;"/* greater-than or equal to */, "\u2265" }, { "&sub;", "&#8834;"/* subset of */, "\u2282" }, { "&sup;", "&#8835;"/* superset of */, "\u2283" } /* note that nsup 'not a superset of ,"\u2283"} */ , { "&sube;", "&#8838;"/* subset of or equal to */, "\u2286" }, { "&supe;", "&#8839;"/* superset of or equal to */, "\u2287" }, { "&oplus;", "&#8853;"/* circled plus = direct sum */, "\u2295" }, { "&otimes;", "&#8855;"/* circled times = vector product */, "\u2297" }, { "&perp;", "&#8869;"/* up tack = orthogonal to = perpendicular */, "\u22A5" }, { "&sdot;", "&#8901;"/* dot operator */, "\u22C5" } /* * dot operator is NOT the same character as ,"\u00B7"} /* * Miscellaneous Technical */ , { "&lceil;", "&#8968;"/* left ceiling = apl upstile */, "\u2308" }, { "&rceil;", "&#8969;"/* right ceiling */, "\u2309" }, { "&lfloor;", "&#8970;"/* left floor = apl downstile */, "\u230A" }, { "&rfloor;", "&#8971;"/* right floor */, "\u230B" }, { "&lang;", "&#9001;"/* left-pointing angle bracket = bra */, "\u2329" } /* lang is NOT the same character as ,"\u003C"} */ , { "&rang;", "&#9002;"/* right-pointing angle bracket = ket */, "\u232A" } /* rang is NOT the same character as ,"\u003E"} */ /* Geometric Shapes */ , { "&loz;", "&#9674;"/* lozenge */, "\u25CA" } /* Miscellaneous Symbols */ , { "&spades;", "&#9824;"/* black spade suit */, "\u2660" } /* black here seems to mean filled as opposed to hollow */ , { "&clubs;", "&#9827;"/* black club suit = shamrock */, "\u2663" }, { "&hearts;", "&#9829;"/* black heart suit = valentine */, "\u2665" }, { "&diams;", "&#9830;"/* black diamond suit */, "\u2666" }, { "&quot;", "&#34;" /* quotation mark = APL quote */, "\"" }, { "&amp;", "&#38;" /* ampersand */, "\u0026" }, { "&lt;", "&#60;" /* less-than sign */, "\u003C" }, { "&gt;", "&#62;" /* greater-than sign */, "\u003E" } /* Latin Extended-A */ , { "&OElig;", "&#338;" /* latin capital ligature OE */, "\u0152" }, { "&oelig;", "&#339;" /* latin small ligature oe */, "\u0153" } /* * ligature is a misnomer this is a separate character in some * languages */ , { "&Scaron;", "&#352;" /* latin capital letter S with caron */, "\u0160" }, { "&scaron;", "&#353;" /* latin small letter s with caron */, "\u0161" }, { "&Yuml;", "&#376;" /* latin capital letter Y with diaeresis */, "\u0178" } /* Spacing Modifier Letters */ , { "&circ;", "&#710;" /* modifier letter circumflex accent */, "\u02C6" }, { "&tilde;", "&#732;" /* small tilde */, "\u02DC" } /* General Punctuation */ , { "&ensp;", "&#8194;"/* en space */, "\u2002" }, { "&emsp;", "&#8195;"/* em space */, "\u2003" }, { "&thinsp;", "&#8201;"/* thin space */, "\u2009" }, { "&zwnj;", "&#8204;"/* zero width non-joiner */, "\u200C" }, { "&zwj;", "&#8205;"/* zero width joiner */, "\u200D" }, { "&lrm;", "&#8206;"/* left-to-right mark */, "\u200E" }, { "&rlm;", "&#8207;"/* right-to-left mark */, "\u200F" }, { "&ndash;", "&#8211;"/* en dash */, "\u2013" }, { "&mdash;", "&#8212;"/* em dash */, "\u2014" }, { "&lsquo;", "&#8216;"/* left single quotation mark */, "\u2018" }, { "&rsquo;", "&#8217;"/* right single quotation mark */, "\u2019" }, { "&sbquo;", "&#8218;"/* single low-9 quotation mark */, "\u201A" }, { "&ldquo;", "&#8220;"/* left double quotation mark */, "\u201C" }, { "&rdquo;", "&#8221;"/* right double quotation mark */, "\u201D" }, { "&bdquo;", "&#8222;"/* double low-9 quotation mark */, "\u201E" }, { "&dagger;", "&#8224;"/* dagger */, "\u2020" }, { "&Dagger;", "&#8225;"/* double dagger */, "\u2021" }, { "&permil;", "&#8240;"/* per mille sign */, "\u2030" }, { "&lsaquo;", "&#8249;"/* * single left-pointing angle quotation * mark */, "\u2039" } /* lsaquo is proposed but not yet ISO standardized */ , { "&rsaquo;", "&#8250;"/* * single right-pointing angle quotation * mark */, "\u203A" } /* rsaquo is proposed but not yet ISO standardized */ , { "&euro;", "&#8364;" /* euro sign */, "\u20AC" } }; for (String[] entity : entities) { entityEscapeMap.put(entity[2], entity[0]); escapeEntityMap.put(entity[0], entity[2]); escapeEntityMap.put(entity[1], entity[2]); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/http/HTMLEntity.java
Java
asf20
23,227
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import java.util.ArrayList; import java.util.List; import android.content.Context; import android.content.Intent; import android.database.Cursor; import android.os.Bundle; import android.view.Menu; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.fanfou.Status; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.ui.base.TwitterCursorBaseActivity; import com.ch_linghu.fanfoudroid.R; public class MentionActivity extends TwitterCursorBaseActivity { private static final String TAG = "MentionActivity"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.REPLIES"; static final int DIALOG_WRITE_ID = 0; public static Intent createIntent(Context context) { Intent intent = new Intent(LAUNCH_ACTION); intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); return intent; } public static Intent createNewTaskIntent(Context context) { Intent intent = createIntent(context); intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK); return intent; } @Override protected boolean _onCreate(Bundle savedInstanceState) { if (super._onCreate(savedInstanceState)) { mNavbar.setHeaderTitle("@提到我的"); return true; } else { return false; } } @Override public boolean onCreateOptionsMenu(Menu menu) { return super.onCreateOptionsMenu(menu); } @Override protected Cursor fetchMessages() { return getDb().fetchAllTweets(getUserId(), StatusTable.TYPE_MENTION); } @Override protected void markAllRead() { getDb().markAllTweetsRead(getUserId(), StatusTable.TYPE_MENTION); } @Override protected String getActivityTitle() { return getResources().getString(R.string.page_title_mentions); } // for Retrievable interface @Override public String fetchMaxId() { return getDb().fetchMaxTweetId(getUserId(), StatusTable.TYPE_MENTION); } @Override public List<Status> getMessageSinceId(String maxId) throws HttpException { if (maxId != null) { return getApi().getMentions(new Paging(maxId)); } else { return getApi().getMentions(); } } @Override public int addMessages(ArrayList<Tweet> tweets, boolean isUnread) { return getDb().putTweets(tweets, getUserId(), StatusTable.TYPE_MENTION, isUnread); } @Override public String fetchMinId() { return getDb().fetchMinTweetId(getUserId(), StatusTable.TYPE_MENTION); } @Override public List<Status> getMoreMessageFromId(String minId) throws HttpException { Paging paging = new Paging(1, 20); paging.setMaxId(minId); return getApi().getMentions(paging); } @Override public int getDatabaseType() { return StatusTable.TYPE_MENTION; } @Override public String getUserId() { return TwitterApplication.getMyselfId(false); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/MentionActivity.java
Java
asf20
3,471
package com.ch_linghu.fanfoudroid; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import android.app.SearchManager; import android.content.Intent; import android.os.Bundle; import android.text.TextUtils; import android.util.Log; import android.view.Menu; import android.view.View; import android.widget.ListView; import android.widget.ProgressBar; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.fanfou.Query; import com.ch_linghu.fanfoudroid.fanfou.QueryResult; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.ui.base.TwitterListBaseActivity; import com.ch_linghu.fanfoudroid.ui.module.SimpleFeedback; import com.ch_linghu.fanfoudroid.ui.module.TweetAdapter; import com.ch_linghu.fanfoudroid.ui.module.TweetArrayAdapter; import com.ch_linghu.fanfoudroid.R; import com.markupartist.android.widget.PullToRefreshListView; import com.markupartist.android.widget.PullToRefreshListView.OnRefreshListener; public class SearchResultActivity extends TwitterListBaseActivity { private static final String TAG = "SearchActivity"; // Views. private PullToRefreshListView mTweetList; private View mListFooter; private ProgressBar loadMoreGIF; // State. private String mSearchQuery; private ArrayList<Tweet> mTweets; private TweetArrayAdapter mAdapter; private int mNextPage = 1; private String mLastId = null; private boolean mIsGetMore = false; private static class State { State(SearchResultActivity activity) { mTweets = activity.mTweets; mNextPage = activity.mNextPage; mLastId = activity.mLastId; } public ArrayList<Tweet> mTweets; public int mNextPage; public String mLastId; } // Tasks. private GenericTask mSearchTask; private TaskListener mSearchTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { if (mIsGetMore){ loadMoreGIF.setVisibility(View.VISIBLE); } if (mNextPage == 1) { updateProgress(getString(R.string.page_status_refreshing)); } else { updateProgress(getString(R.string.page_status_refreshing)); } mTweetList.prepareForRefresh(); } @Override public void onProgressUpdate(GenericTask task, Object param) { draw(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { loadMoreGIF.setVisibility(View.GONE); mTweetList.onRefreshComplete(); if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { draw(); if (!mIsGetMore){ mTweetList.setSelection(1); } } else { // Do nothing. } updateProgress(""); } @Override public String getName() { return "SearchTask"; } }; @Override protected boolean _onCreate(Bundle savedInstanceState) { if (super._onCreate(savedInstanceState)) { Intent intent = getIntent(); // Assume it's SEARCH. // String action = intent.getAction(); mSearchQuery = intent.getStringExtra(SearchManager.QUERY); if (TextUtils.isEmpty(mSearchQuery)) { mSearchQuery = intent.getData().getLastPathSegment(); } mNavbar.setHeaderTitle(mSearchQuery); setTitle(mSearchQuery); State state = (State) getLastNonConfigurationInstance(); if (state != null) { mTweets = state.mTweets; mNextPage = state.mNextPage; mLastId = state.mLastId; draw(); } else { doSearch(false); } return true; } else { return false; } } @Override protected int getLayoutId() { return R.layout.main; } @Override protected void onResume() { super.onResume(); checkIsLogedIn(); } @Override public Object onRetainNonConfigurationInstance() { return createState(); } private synchronized State createState() { return new State(this); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); } @Override protected void onDestroy() { Log.d(TAG, "onDestroy."); if (mSearchTask != null && mSearchTask.getStatus() == GenericTask.Status.RUNNING) { mSearchTask.cancel(true); } super.onDestroy(); } // UI helpers. private void updateProgress(String progress) { mProgressText.setText(progress); } @Override protected void draw() { mAdapter.refresh(mTweets); } private void doSearch(boolean isGetMore) { Log.d(TAG, "Attempting search."); if (mSearchTask != null && mSearchTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mIsGetMore = isGetMore; mSearchTask = new SearchTask(); mSearchTask.setFeedback(mFeedback); mSearchTask.setListener(mSearchTaskListener); mSearchTask.execute(); } } private class SearchTask extends GenericTask { ArrayList<Tweet> mTweets = new ArrayList<Tweet>(); @Override protected TaskResult _doInBackground(TaskParams... params) { QueryResult result; try { Query query = new Query(mSearchQuery); if (!TextUtils.isEmpty(mLastId)) { query.setMaxId(mLastId); } result = getApi().search(query);// .search(mSearchQuery, // mNextPage); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } List<com.ch_linghu.fanfoudroid.fanfou.Status> statuses = result .getStatus(); HashSet<String> imageUrls = new HashSet<String>(); publishProgress(SimpleFeedback.calProgressBySize(40, 20, statuses)); for (com.ch_linghu.fanfoudroid.fanfou.Status status : statuses) { if (isCancelled()) { return TaskResult.CANCELLED; } Tweet tweet; tweet = Tweet.create(status); mLastId = tweet.id; mTweets.add(tweet); imageUrls.add(tweet.profileImageUrl); if (isCancelled()) { return TaskResult.CANCELLED; } } addTweets(mTweets); // if (isCancelled()) { // return TaskResult.CANCELLED; // } // // publishProgress(); // // // TODO: what if orientation change? // ImageManager imageManager = getImageManager(); // MemoryImageCache imageCache = new MemoryImageCache(); // // for (String imageUrl : imageUrls) { // if (!Utils.isEmpty(imageUrl)) { // // Fetch image to cache. // try { // Bitmap bitmap = imageManager.fetchImage(imageUrl); // imageCache.put(imageUrl, bitmap); // } catch (IOException e) { // Log.e(TAG, e.getMessage(), e); // } // } // // if (isCancelled()) { // return TaskResult.CANCELLED; // } // } // // addImages(imageCache); return TaskResult.OK; } } @Override public boolean onCreateOptionsMenu(Menu menu) { return super.onCreateOptionsMenu(menu); } public void doGetMore() { if (!isLastPage()) { doSearch(true); } } public boolean isLastPage() { return mNextPage == -1; } @Override protected void adapterRefresh() { mAdapter.refresh(mTweets); } private synchronized void addTweets(ArrayList<Tweet> tweets) { if (tweets.size() == 0) { mNextPage = -1; return; } mTweets.addAll(tweets); ++mNextPage; } @Override protected String getActivityTitle() { return mSearchQuery; } @Override protected Tweet getContextItemTweet(int position) { if (position >= 1 && position <= mAdapter.getCount()) { Tweet item = (Tweet) mAdapter.getItem(position - 1); if (item == null) { return null; } else { return item; } } else { return null; } } @Override protected TweetAdapter getTweetAdapter() { return mAdapter; } @Override protected ListView getTweetList() { return mTweetList; } @Override protected void updateTweet(Tweet tweet) { // TODO Simple and stupid implementation for (Tweet t : mTweets) { if (t.id.equals(tweet.id)) { t.favorited = tweet.favorited; break; } } } @Override protected boolean useBasicMenu() { return true; } @Override protected void setupState() { mTweets = new ArrayList<Tweet>(); mTweetList = (PullToRefreshListView) findViewById(R.id.tweet_list); mAdapter = new TweetArrayAdapter(this); mTweetList.setAdapter(mAdapter); mTweetList.setOnRefreshListener(new OnRefreshListener(){ @Override public void onRefresh(){ doRetrieve(); } }); // Add Footer to ListView mListFooter = View.inflate(this, R.layout.listview_footer, null); mTweetList.addFooterView(mListFooter, null, true); loadMoreGIF = (ProgressBar) findViewById(R.id.rectangleProgressBar); } @Override public void doRetrieve() { doSearch(false); } @Override protected void specialItemClicked(int position) { // 注意 mTweetAdapter.getCount 和 mTweetList.getCount的区别 // 前者仅包含数据的数量(不包括foot和head),后者包含foot和head // 因此在同时存在foot和head的情况下,list.count = adapter.count + 2 if (position == 0) { doRetrieve(); } else if (position == mTweetList.getCount() - 1) { // 最后一个Item(footer) doGetMore(); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/SearchResultActivity.java
Java
asf20
9,651
package com.ch_linghu.fanfoudroid.db2; import android.content.Context; import android.database.SQLException; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; import android.util.Log; import com.ch_linghu.fanfoudroid.db2.FanContent.*; public class FanDatabase { private static final String TAG = FanDatabase.class.getSimpleName(); /** * SQLite Database file name */ private static final String DATABASE_NAME = "fanfoudroid.db"; /** * Database Version */ public static final int DATABASE_VERSION = 2; /** * self instance */ private static FanDatabase sInstance = null; /** * SQLiteDatabase Open Helper */ private DatabaseHelper mOpenHelper = null; /** * SQLiteOpenHelper */ private static class DatabaseHelper extends SQLiteOpenHelper { // Construct public DatabaseHelper(Context context) { super(context, DATABASE_NAME, null, DATABASE_VERSION); } @Override public void onCreate(SQLiteDatabase db) { Log.d(TAG, "Create Database."); // TODO: create tables createAllTables(db); createAllIndexes(db); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { Log.d(TAG, "Upgrade Database."); // TODO: DROP TABLE onCreate(db); } } /** * Construct * * @param context */ private FanDatabase(Context context) { mOpenHelper = new DatabaseHelper(context); } /** * Get Database * * @param context * @return */ public static synchronized FanDatabase getInstance(Context context) { if (null == sInstance) { sInstance = new FanDatabase(context); } return sInstance; } /** * Get SQLiteDatabase Open Helper * * @return */ public SQLiteOpenHelper getSQLiteOpenHelper() { return mOpenHelper; } /** * Get Database Connection * * @param writeable * @return */ public SQLiteDatabase getDb(boolean writeable) { if (writeable) { return mOpenHelper.getWritableDatabase(); } else { return mOpenHelper.getReadableDatabase(); } } /** * Close Database */ public void close() { if (null != sInstance) { mOpenHelper.close(); sInstance = null; } } // Create All tables private static void createAllTables(SQLiteDatabase db) { db.execSQL(StatusesTable.getCreateSQL()); db.execSQL(StatusesPropertyTable.getCreateSQL()); db.execSQL(UserTable.getCreateSQL()); db.execSQL(DirectMessageTable.getCreateSQL()); db.execSQL(FollowRelationshipTable.getCreateSQL()); db.execSQL(TrendTable.getCreateSQL()); db.execSQL(SavedSearchTable.getCreateSQL()); } private static void dropAllTables(SQLiteDatabase db) { db.execSQL(StatusesTable.getDropSQL()); db.execSQL(StatusesPropertyTable.getDropSQL()); db.execSQL(UserTable.getDropSQL()); db.execSQL(DirectMessageTable.getDropSQL()); db.execSQL(FollowRelationshipTable.getDropSQL()); db.execSQL(TrendTable.getDropSQL()); db.execSQL(SavedSearchTable.getDropSQL()); } private static void resetAllTables(SQLiteDatabase db, int oldVersion, int newVersion) { try { dropAllTables(db); } catch (SQLException e) { Log.e(TAG, "resetAllTables ERROR!"); } createAllTables(db); } // indexes private static void createAllIndexes(SQLiteDatabase db) { db.execSQL(StatusesTable.getCreateIndexSQL()); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db2/FanDatabase.java
Java
asf20
3,309
package com.ch_linghu.fanfoudroid.db2; import java.util.ArrayList; import java.util.Arrays; import android.content.ContentValues; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.util.Log; /** * Wrapper of SQliteDatabse#query, OOP style. * * Usage: ------------------------------------------------ Query select = new * Query(SQLiteDatabase); * * // SELECT query.from("tableName", new String[] { "colName" }) * .where("id = ?", 123456) .where("name = ?", "jack") * .orderBy("created_at DESC") .limit(1); Cursor cursor = query.select(); * * // DELETE query.from("tableName") .where("id = ?", 123455); .delete(); * * // UPDATE query.setTable("tableName") .values(contentValues) .update(); * * // INSERT query.into("tableName") .values(contentValues) .insert(); * ------------------------------------------------ * * @see SQLiteDatabase#query(String, String[], String, String[], String, String, * String, String) */ public class Query { private static final String TAG = "Query-Builder"; /** TEMP list for selctionArgs */ private ArrayList<String> binds = new ArrayList<String>(); private SQLiteDatabase mDb = null; private String mTable; private String[] mColumns; private String mSelection = null; private String[] mSelectionArgs = null; private String mGroupBy = null; private String mHaving = null; private String mOrderBy = null; private String mLimit = null; private ContentValues mValues = null; private String mNullColumnHack = null; public Query() { } /** * Construct * * @param db */ public Query(SQLiteDatabase db) { this.setDb(db); } /** * Query the given table, returning a Cursor over the result set. * * @param db * SQLitedatabase * @return A Cursor object, which is positioned before the first entry, or * NULL */ public Cursor select() { if (preCheck()) { buildQuery(); return mDb.query(mTable, mColumns, mSelection, mSelectionArgs, mGroupBy, mHaving, mOrderBy, mLimit); } else { // throw new SelectException("Cann't build the query . " + // toString()); Log.e(TAG, "Cann't build the query " + toString()); return null; } } /** * @return the number of rows affected if a whereClause is passed in, 0 * otherwise. To remove all rows and get a count pass "1" as the * whereClause. */ public int delete() { if (preCheck()) { buildQuery(); return mDb.delete(mTable, mSelection, mSelectionArgs); } else { Log.e(TAG, "Cann't build the query " + toString()); return -1; } } /** * Set FROM * * @param table * The table name to compile the query against. * @param columns * A list of which columns to return. Passing null will return * all columns, which is discouraged to prevent reading data from * storage that isn't going to be used. * @return self * */ public Query from(String table, String[] columns) { mTable = table; mColumns = columns; return this; } /** * @see Query#from(String table, String[] columns) * @param table * @return self */ public Query from(String table) { return from(table, null); // all columns } /** * Add WHERE * * @param selection * A filter declaring which rows to return, formatted as an SQL * WHERE clause (excluding the WHERE itself). Passing null will * return all rows for the given table. * @param selectionArgs * You may include ?s in selection, which will be replaced by the * values from selectionArgs, in order that they appear in the * selection. The values will be bound as Strings. * @return self */ public Query where(String selection, String[] selectionArgs) { addSelection(selection); binds.addAll(Arrays.asList(selectionArgs)); return this; } /** * @see Query#where(String selection, String[] selectionArgs) */ public Query where(String selection, String selectionArg) { addSelection(selection); binds.add(selectionArg); return this; } /** * @see Query#where(String selection, String[] selectionArgs) */ public Query where(String selection) { addSelection(selection); return this; } /** * add selection part * * @param selection */ private void addSelection(String selection) { if (null == mSelection) { mSelection = selection; } else { mSelection += " AND " + selection; } } /** * set HAVING * * @param having * A filter declare which row groups to include in the cursor, if * row grouping is being used, formatted as an SQL HAVING clause * (excluding the HAVING itself). Passing null will cause all row * groups to be included, and is required when row grouping is * not being used. * @return self */ public Query having(String having) { this.mHaving = having; return this; } /** * Set GROUP BY * * @param groupBy * A filter declaring how to group rows, formatted as an SQL * GROUP BY clause (excluding the GROUP BY itself). Passing null * will cause the rows to not be grouped. * @return self */ public Query groupBy(String groupBy) { this.mGroupBy = groupBy; return this; } /** * Set ORDER BY * * @param orderBy * How to order the rows, formatted as an SQL ORDER BY clause * (excluding the ORDER BY itself). Passing null will use the * default sort order, which may be unordered. * @return self */ public Query orderBy(String orderBy) { this.mOrderBy = orderBy; return this; } /** * @param limit * Limits the number of rows returned by the query, formatted as * LIMIT clause. Passing null denotes no LIMIT clause. * @return self */ public Query limit(String limit) { this.mLimit = limit; return this; } /** * @see Query#limit(String limit) */ public Query limit(int limit) { return limit(limit + ""); } /** * Merge selectionArgs */ private void buildQuery() { mSelectionArgs = new String[binds.size()]; binds.toArray(mSelectionArgs); Log.v(TAG, toString()); } private boolean preCheck() { return (mTable != null && mDb != null); } // For Insert /** * set insert table * * @param table * table name * @return self */ public Query into(String table) { return setTable(table); } /** * Set new values * * @param values * new values * @return self */ public Query values(ContentValues values) { mValues = values; return this; } /** * Insert a row * * @return the row ID of the newly inserted row, or -1 if an error occurred */ public long insert() { return mDb.insert(mTable, mNullColumnHack, mValues); } // For update /** * Set target table * * @param table * table name * @return self */ public Query setTable(String table) { mTable = table; return this; } /** * Update a row * * @return the number of rows affected, or -1 if an error occurred */ public int update() { if (preCheck()) { buildQuery(); return mDb.update(mTable, mValues, mSelection, mSelectionArgs); } else { Log.e(TAG, "Cann't build the query " + toString()); return -1; } } /** * Set back-end database * * @param db */ public void setDb(SQLiteDatabase db) { if (null == this.mDb) { this.mDb = db; } } @Override public String toString() { return "Query [table=" + mTable + ", columns=" + Arrays.toString(mColumns) + ", selection=" + mSelection + ", selectionArgs=" + Arrays.toString(mSelectionArgs) + ", groupBy=" + mGroupBy + ", having=" + mHaving + ", orderBy=" + mOrderBy + "]"; } /** for debug */ public ContentValues getContentValues() { return mValues; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db2/Query.java
Java
asf20
7,915
package com.ch_linghu.fanfoudroid.db2; import java.util.zip.CheckedOutputStream; import android.R.color; public abstract class FanContent { /** * 消息表 消息表存放消息本身 * * @author phoenix * */ public static class StatusesTable { public static final String TABLE_NAME = "t_statuses"; public static class Columns { public static final String ID = "_id"; public static final String STATUS_ID = "status_id"; public static final String AUTHOR_ID = "author_id"; public static final String TEXT = "text"; public static final String SOURCE = "source"; public static final String CREATED_AT = "created_at"; public static final String TRUNCATED = "truncated"; public static final String FAVORITED = "favorited"; public static final String PHOTO_URL = "photo_url"; public static final String IN_REPLY_TO_STATUS_ID = "in_reply_to_status_id"; public static final String IN_REPLY_TO_USER_ID = "in_reply_to_user_id"; public static final String IN_REPLY_TO_SCREEN_NAME = "in_reply_to_screen_name"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.ID + " INTEGER PRIMARY KEY, " + Columns.STATUS_ID + " TEXT UNIQUE NOT NULL, " + Columns.AUTHOR_ID + " TEXT, " + Columns.TEXT + " TEXT, " + Columns.SOURCE + " TEXT, " + Columns.CREATED_AT + " INT, " + Columns.TRUNCATED + " INT DEFAULT 0, " + Columns.FAVORITED + " INT DEFAULT 0, " + Columns.PHOTO_URL + " TEXT, " + Columns.IN_REPLY_TO_STATUS_ID + " TEXT, " + Columns.IN_REPLY_TO_USER_ID + " TEXT, " + Columns.IN_REPLY_TO_SCREEN_NAME + " TEXT " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.ID, Columns.STATUS_ID, Columns.AUTHOR_ID, Columns.TEXT, Columns.SOURCE, Columns.CREATED_AT, Columns.TRUNCATED, Columns.FAVORITED, Columns.PHOTO_URL, Columns.IN_REPLY_TO_STATUS_ID, Columns.IN_REPLY_TO_USER_ID, Columns.IN_REPLY_TO_SCREEN_NAME }; } public static String getCreateIndexSQL() { String createIndexSQL = "CREATE INDEX " + TABLE_NAME + "_idx ON " + TABLE_NAME + " ( " + getIndexColumns()[1] + " );"; return createIndexSQL; } } /** * 消息属性表 每一条消息所属类别、所有者等信息 消息ID(外键) 所有者(随便看看的所有者为空) * 消息类别(随便看看/首页(自己及自己好友)/个人(仅自己)/收藏/照片) * * @author phoenix * */ public static class StatusesPropertyTable { public static final String TABLE_NAME = "t_statuses_property"; public static class Columns { public static final String ID = "_id"; public static final String STATUS_ID = "status_id"; public static final String OWNER_ID = "owner_id"; public static final String TYPE = "type"; public static final String SEQUENCE_FLAG = "sequence_flag"; public static final String LOAD_TIME = "load_time"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.ID + " INTEGER PRIMARY KEY, " + Columns.STATUS_ID + " TEXT NOT NULL, " + Columns.OWNER_ID + " TEXT, " + Columns.TYPE + " INT, " + Columns.SEQUENCE_FLAG + " INT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.ID, Columns.STATUS_ID, Columns.OWNER_ID, Columns.TYPE, Columns.SEQUENCE_FLAG, Columns.LOAD_TIME }; } } /** * User表 包括User的基本信息和扩展信息(每次获得最新User信息都update进User表) * 每次更新User表时希望能更新LOAD_TIME,记录最后更新时间 * * @author phoenix * */ public static class UserTable { public static final String TABLE_NAME = "t_user"; public static class Columns { public static final String ID = "_id"; public static final String USER_ID = "user_id"; public static final String USER_NAME = "user_name"; public static final String SCREEN_NAME = "screen_name"; public static final String LOCATION = "location"; public static final String DESCRIPTION = "description"; public static final String URL = "url"; public static final String PROTECTED = "protected"; public static final String PROFILE_IMAGE_URL = "profile_image_url"; public static final String FOLLOWERS_COUNT = "followers_count"; public static final String FRIENDS_COUNT = "friends_count"; public static final String FAVOURITES_COUNT = "favourites_count"; public static final String STATUSES_COUNT = "statuses_count"; public static final String CREATED_AT = "created_at"; public static final String FOLLOWING = "following"; public static final String NOTIFICATIONS = "notifications"; public static final String UTC_OFFSET = "utc_offset"; public static final String LOAD_TIME = "load_time"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.ID + " INTEGER PRIMARY KEY, " + Columns.USER_ID + " TEXT UNIQUE NOT NULL, " + Columns.USER_NAME + " TEXT UNIQUE NOT NULL, " + Columns.SCREEN_NAME + " TEXT, " + Columns.LOCATION + " TEXT, " + Columns.DESCRIPTION + " TEXT, " + Columns.URL + " TEXT, " + Columns.PROTECTED + " INT DEFAULT 0, " + Columns.PROFILE_IMAGE_URL + " TEXT " + Columns.FOLLOWERS_COUNT + " INT, " + Columns.FRIENDS_COUNT + " INT, " + Columns.FAVOURITES_COUNT + " INT, " + Columns.STATUSES_COUNT + " INT, " + Columns.CREATED_AT + " INT, " + Columns.FOLLOWING + " INT DEFAULT 0, " + Columns.NOTIFICATIONS + " INT DEFAULT 0, " + Columns.UTC_OFFSET + " TEXT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.ID, Columns.USER_ID, Columns.USER_NAME, Columns.SCREEN_NAME, Columns.LOCATION, Columns.DESCRIPTION, Columns.URL, Columns.PROTECTED, Columns.PROFILE_IMAGE_URL, Columns.FOLLOWERS_COUNT, Columns.FRIENDS_COUNT, Columns.FAVOURITES_COUNT, Columns.STATUSES_COUNT, Columns.CREATED_AT, Columns.FOLLOWING, Columns.NOTIFICATIONS, Columns.UTC_OFFSET, Columns.LOAD_TIME }; } } /** * 私信表 私信的基本信息 * * @author phoenix * */ public static class DirectMessageTable { public static final String TABLE_NAME = "t_direct_message"; public static class Columns { public static final String ID = "_id"; public static final String MSG_ID = "msg_id"; public static final String TEXT = "text"; public static final String SENDER_ID = "sender_id"; public static final String RECIPINET_ID = "recipinet_id"; public static final String CREATED_AT = "created_at"; public static final String LOAD_TIME = "load_time"; public static final String SEQUENCE_FLAG = "sequence_flag"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.ID + " INTEGER PRIMARY KEY, " + Columns.MSG_ID + " TEXT UNIQUE NOT NULL, " + Columns.TEXT + " TEXT, " + Columns.SENDER_ID + " TEXT, " + Columns.RECIPINET_ID + " TEXT, " + Columns.CREATED_AT + " INT, " + Columns.SEQUENCE_FLAG + " INT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.ID, Columns.MSG_ID, Columns.TEXT, Columns.SENDER_ID, Columns.RECIPINET_ID, Columns.CREATED_AT, Columns.SEQUENCE_FLAG, Columns.LOAD_TIME }; } } /** * Follow关系表 某个特定用户的Follow关系(User1 following User2, * 查找关联某人好友只需限定User1或者User2) * * @author phoenix * */ public static class FollowRelationshipTable { public static final String TABLE_NAME = "t_follow_relationship"; public static class Columns { public static final String USER1_ID = "user1_id"; public static final String USER2_ID = "user2_id"; public static final String LOAD_TIME = "load_time"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.USER1_ID + " TEXT, " + Columns.USER2_ID + " TEXT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.USER1_ID, Columns.USER2_ID, Columns.LOAD_TIME }; } } /** * 热门话题表 记录每次查询得到的热词 * * @author phoenix * */ public static class TrendTable { public static final String TABLE_NAME = "t_trend"; public static class Columns { public static final String NAME = "name"; public static final String QUERY = "query"; public static final String URL = "url"; public static final String LOAD_TIME = "load_time"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.NAME + " TEXT, " + Columns.QUERY + " TEXT, " + Columns.URL + " TEXT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.NAME, Columns.QUERY, Columns.URL, Columns.LOAD_TIME }; } } /** * 保存搜索表 QUERY_ID(这个ID在API删除保存搜索词时使用) * * @author phoenix * */ public static class SavedSearchTable { public static final String TABLE_NAME = "t_saved_search"; public static class Columns { public static final String QUERY_ID = "query_id"; public static final String QUERY = "query"; public static final String NAME = "name"; public static final String CREATED_AT = "created_at"; public static final String LOAD_TIME = "load_time"; } public static String getCreateSQL() { String createString = TABLE_NAME + "( " + Columns.QUERY_ID + " INT, " + Columns.QUERY + " TEXT, " + Columns.NAME + " TEXT, " + Columns.CREATED_AT + " INT, " + Columns.LOAD_TIME + " TIMESTAMP default (DATETIME('now', 'localtime')) " + ");"; return "CREATE TABLE " + createString; } public static String getDropSQL() { return "DROP TABLE " + TABLE_NAME; } public static String[] getIndexColumns() { return new String[] { Columns.QUERY_ID, Columns.QUERY, Columns.NAME, Columns.CREATED_AT, Columns.LOAD_TIME }; } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/db2/FanContent.java
Java
asf20
11,166
package com.ch_linghu.fanfoudroid; import java.util.ArrayList; import java.util.List; import android.content.Intent; import android.os.Bundle; import android.util.Log; import android.view.View; import android.widget.ListView; import android.widget.ProgressBar; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.fanfou.User; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.HttpRefusedException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.ui.base.TwitterListBaseActivity; import com.ch_linghu.fanfoudroid.ui.module.Feedback; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory.FeedbackType; import com.ch_linghu.fanfoudroid.ui.module.TweetArrayAdapter; import com.ch_linghu.fanfoudroid.R; import com.markupartist.android.widget.PullToRefreshListView; import com.markupartist.android.widget.PullToRefreshListView.OnRefreshListener; public class UserTimelineActivity extends TwitterListBaseActivity { private static class State { State(UserTimelineActivity activity) { mTweets = activity.mTweets; mMaxId = activity.mMaxId; } public ArrayList<Tweet> mTweets; public String mMaxId; } private static final String TAG = UserTimelineActivity.class .getSimpleName(); private Feedback mFeedback; private static final String EXTRA_USERID = "userID"; private static final String EXTRA_NAME_SHOW = "showName"; private static final String SIS_RUNNING_KEY = "running"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.USERTIMELINE"; public static Intent createIntent(String userID, String showName) { Intent intent = new Intent(LAUNCH_ACTION); intent.putExtra(EXTRA_USERID, userID); intent.putExtra(EXTRA_NAME_SHOW, showName); return intent; } // State. private User mUser; private String mUserID; private String mShowName; private ArrayList<Tweet> mTweets = new ArrayList<Tweet>(); private String mMaxId = ""; // Views. private View footerView; private PullToRefreshListView mTweetList; private ProgressBar loadMoreGIF; private TweetArrayAdapter mAdapter; // 记录服务器拒绝访问的信息 private String msg; private static final int LOADINGFLAG = 1; private static final int SUCCESSFLAG = 2; private static final int NETWORKERRORFLAG = 3; private static final int AUTHERRORFLAG = 4; // Tasks. private GenericTask mRetrieveTask; private GenericTask mLoadMoreTask; private TaskListener mRetrieveTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { onRetrieveBegin(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { mTweetList.onRefreshComplete(); if (result == TaskResult.AUTH_ERROR) { mFeedback.failed("登录失败, 请重新登录."); return; } else if (result == TaskResult.OK) { draw(); goTop(); } else if (result == TaskResult.IO_ERROR) { mFeedback.failed("更新失败."); } mFeedback.success(""); } @Override public String getName() { return "UserTimelineRetrieve"; } }; private TaskListener mLoadMoreTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { loadMoreGIF.setVisibility(View.VISIBLE); onLoadMoreBegin(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { loadMoreGIF.setVisibility(View.GONE); if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { mFeedback.success(""); draw(); } } @Override public String getName() { return "UserTimelineLoadMoreTask"; } }; @Override protected boolean _onCreate(Bundle savedInstanceState) { Log.d(TAG, "_onCreate()..."); if (super._onCreate(savedInstanceState)) { mFeedback = FeedbackFactory.create(this, FeedbackType.PROGRESS); Intent intent = getIntent(); // get user id mUserID = intent.getStringExtra(EXTRA_USERID); // show username in title mShowName = intent.getStringExtra(EXTRA_NAME_SHOW); // Set header title mNavbar.setHeaderTitle("@" + mShowName); boolean wasRunning = isTrue(savedInstanceState, SIS_RUNNING_KEY); State state = (State) getLastNonConfigurationInstance(); if (state != null) { // 此处要求mTweets不为空,最好确保profile页面消息为0时不能进入这个页面 mTweets = state.mTweets; mMaxId = state.mMaxId; if (!mTweets.isEmpty() && !wasRunning) { draw(); } } else { doRetrieve(); } return true; } else { return false; } } @Override protected void onResume() { super.onResume(); checkIsLogedIn(); } @Override public Object onRetainNonConfigurationInstance() { return createState(); } private synchronized State createState() { return new State(this); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { outState.putBoolean(SIS_RUNNING_KEY, true); } } @Override protected void onDestroy() { Log.d(TAG, "onDestroy."); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { mRetrieveTask.cancel(true); } if (mLoadMoreTask != null && mLoadMoreTask.getStatus() == GenericTask.Status.RUNNING) { mLoadMoreTask.cancel(true); } super.onDestroy(); } @Override protected void draw() { mAdapter.refresh(mTweets); } public void goTop() { Log.d(TAG, "goTop."); mTweetList.setSelection(1); } public void doRetrieve() { Log.d(TAG, "Attempting retrieve."); if (mRetrieveTask != null && mRetrieveTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mRetrieveTask = new UserTimelineRetrieveTask(); mRetrieveTask.setListener(mRetrieveTaskListener); mRetrieveTask.execute(); } } private void doLoadMore() { Log.d(TAG, "Attempting load more."); if (mLoadMoreTask != null && mLoadMoreTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { mLoadMoreTask = new UserTimelineLoadMoreTask(); mLoadMoreTask.setListener(mLoadMoreTaskListener); mLoadMoreTask.execute(); } } private void onRetrieveBegin() { mFeedback.start(""); mTweetList.prepareForRefresh(); // 更新查询状态显示 } private void onLoadMoreBegin() { mFeedback.start(""); } private class UserTimelineRetrieveTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { List<com.ch_linghu.fanfoudroid.fanfou.Status> statusList; try { statusList = getApi().getUserTimeline(mUserID); mUser = getApi().showUser(mUserID); mFeedback.update(60); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); Throwable cause = e.getCause(); if (cause instanceof HttpRefusedException) { // AUTH ERROR msg = ((HttpRefusedException) cause).getError() .getMessage(); return TaskResult.AUTH_ERROR; } else { return TaskResult.IO_ERROR; } } mFeedback.update(100 - (int) Math.floor(statusList.size() * 2)); // 60~100 mTweets.clear(); for (com.ch_linghu.fanfoudroid.fanfou.Status status : statusList) { if (isCancelled()) { return TaskResult.CANCELLED; } Tweet tweet; tweet = Tweet.create(status); mMaxId = tweet.id; mTweets.add(tweet); if (isCancelled()) { return TaskResult.CANCELLED; } } if (isCancelled()) { return TaskResult.CANCELLED; } return TaskResult.OK; } } private class UserTimelineLoadMoreTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { List<com.ch_linghu.fanfoudroid.fanfou.Status> statusList; try { Paging paging = new Paging(); paging.setMaxId(mMaxId); statusList = getApi().getUserTimeline(mUserID, paging); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); Throwable cause = e.getCause(); if (cause instanceof HttpRefusedException) { // AUTH ERROR msg = ((HttpRefusedException) cause).getError() .getMessage(); return TaskResult.AUTH_ERROR; } else { return TaskResult.IO_ERROR; } } for (com.ch_linghu.fanfoudroid.fanfou.Status status : statusList) { if (isCancelled()) { return TaskResult.CANCELLED; } Tweet tweet; tweet = Tweet.create(status); mMaxId = tweet.id; mTweets.add(tweet); } if (isCancelled()) { return TaskResult.CANCELLED; } if (isCancelled()) { return TaskResult.CANCELLED; } return TaskResult.OK; } } public void doGetMore() { doLoadMore(); } @Override protected String getActivityTitle() { return "@" + mShowName; } @Override protected Tweet getContextItemTweet(int position) { if (position >= 1 && position <= mAdapter.getCount()) { return (Tweet) mAdapter.getItem(position - 1); } else { return null; } } @Override protected int getLayoutId() { return R.layout.user_timeline; } @Override protected com.ch_linghu.fanfoudroid.ui.module.TweetAdapter getTweetAdapter() { return mAdapter; } @Override protected ListView getTweetList() { return mTweetList; } @Override protected void setupState() { mTweets = new ArrayList<Tweet>(); mAdapter = new TweetArrayAdapter(this); mTweetList = (PullToRefreshListView) findViewById(R.id.tweet_list); mTweetList.setAdapter(mAdapter); mTweetList.setOnRefreshListener(new OnRefreshListener(){ @Override public void onRefresh(){ doRetrieve(); } }); // Add Footer to ListView footerView = (View)View.inflate(this, R.layout.listview_footer, null); mTweetList.addFooterView(footerView); loadMoreGIF = (ProgressBar) findViewById(R.id.rectangleProgressBar); } @Override protected void updateTweet(Tweet tweet) { // 该方法作用? } @Override protected boolean useBasicMenu() { return true; } @Override protected void specialItemClicked(int position) { // 注意 mTweetAdapter.getCount 和 mTweetList.getCount的区别 // 前者仅包含数据的数量(不包括foot和head),后者包含foot和head // 因此在同时存在foot和head的情况下,list.count = adapter.count + 2 if (position == 0) { doRetrieve(); } else if (position == mTweetList.getCount() - 1) { // 最后一个Item(footer) doGetMore(); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/UserTimelineActivity.java
Java
asf20
11,270
package com.ch_linghu.fanfoudroid.util; import java.text.DecimalFormat; import java.text.NumberFormat; import java.util.Arrays; import java.util.HashMap; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; /** * Debug Timer * * Usage: -------------------------------- DebugTimer.start(); * DebugTimer.mark("my_mark1"); // optional DebugTimer.stop(); * * System.out.println(DebugTimer.__toString()); // get report * -------------------------------- * * @author LDS */ public class DebugTimer { public static final int START = 0; public static final int END = 1; private static HashMap<String, Long> mTime = new HashMap<String, Long>(); private static long mStartTime = 0; private static long mLastTime = 0; /** * Start a timer */ public static void start() { reset(); mStartTime = touch(); } /** * Mark current time * * @param tag * mark tag * @return */ public static long mark(String tag) { long time = System.currentTimeMillis() - mStartTime; mTime.put(tag, time); return time; } /** * Mark current time * * @param tag * mark tag * @return */ public static long between(String tag, int startOrEnd) { if (TwitterApplication.DEBUG) { Log.v("DEBUG", tag + " " + startOrEnd); } switch (startOrEnd) { case START: return mark(tag); case END: long time = System.currentTimeMillis() - mStartTime - get(tag, mStartTime); mTime.put(tag, time); // touch(); return time; default: return -1; } } public static long betweenStart(String tag) { return between(tag, START); } public static long betweenEnd(String tag) { return between(tag, END); } /** * Stop timer * * @return result */ public static String stop() { mTime.put("_TOTLE", touch() - mStartTime); return __toString(); } public static String stop(String tag) { mark(tag); return stop(); } /** * Get a mark time * * @param tag * mark tag * @return time(milliseconds) or NULL */ public static long get(String tag) { return get(tag, 0); } public static long get(String tag, long defaultValue) { if (mTime.containsKey(tag)) { return mTime.get(tag); } return defaultValue; } /** * Reset timer */ public static void reset() { mTime = new HashMap<String, Long>(); mStartTime = 0; mLastTime = 0; } /** * static toString() * * @return */ public static String __toString() { return "Debuger [time =" + mTime.toString() + "]"; } private static long touch() { return mLastTime = System.currentTimeMillis(); } public static DebugProfile[] getProfile() { DebugProfile[] profile = new DebugProfile[mTime.size()]; long totel = mTime.get("_TOTLE"); int i = 0; for (String key : mTime.keySet()) { long time = mTime.get(key); profile[i] = new DebugProfile(key, time, time / (totel * 1.0)); i++; } try { Arrays.sort(profile); } catch (NullPointerException e) { // in case item is null, do nothing } return profile; } public static String getProfileAsString() { StringBuilder sb = new StringBuilder(); for (DebugProfile p : getProfile()) { sb.append("TAG: "); sb.append(p.tag); sb.append("\t INC: "); sb.append(p.inc); sb.append("\t INCP: "); sb.append(p.incPercent); sb.append("\n"); } return sb.toString(); } @Override public String toString() { return __toString(); } } class DebugProfile implements Comparable<DebugProfile> { private static NumberFormat percent = NumberFormat.getPercentInstance(); public String tag; public long inc; public String incPercent; public DebugProfile(String tag, long inc, double incPercent) { this.tag = tag; this.inc = inc; percent = new DecimalFormat("0.00#%"); this.incPercent = percent.format(incPercent); } @Override public int compareTo(DebugProfile o) { // TODO Auto-generated method stub return (int) (o.inc - this.inc); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/util/DebugTimer.java
Java
asf20
3,972
package com.ch_linghu.fanfoudroid.util; import java.text.DateFormat; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; import java.util.Locale; import android.util.Log; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; public class DateTimeHelper { private static final String TAG = "DateTimeHelper"; // Wed Dec 15 02:53:36 +0000 2010 public static final DateFormat TWITTER_DATE_FORMATTER = new SimpleDateFormat( "E MMM d HH:mm:ss Z yyyy", Locale.US); public static final DateFormat TWITTER_SEARCH_API_DATE_FORMATTER = new SimpleDateFormat( "E, d MMM yyyy HH:mm:ss Z", Locale.US); // TODO: Z -> z ? public static final Date parseDateTime(String dateString) { try { Log.v(TAG, String.format("in parseDateTime, dateString=%s", dateString)); return TWITTER_DATE_FORMATTER.parse(dateString); } catch (ParseException e) { Log.w(TAG, "Could not parse Twitter date string: " + dateString); return null; } } // Handle "yyyy-MM-dd'T'HH:mm:ss.SSS" from sqlite public static final Date parseDateTimeFromSqlite(String dateString) { try { Log.v(TAG, String.format("in parseDateTime, dateString=%s", dateString)); return TwitterDatabase.DB_DATE_FORMATTER.parse(dateString); } catch (ParseException e) { Log.w(TAG, "Could not parse Twitter date string: " + dateString); return null; } } public static final Date parseSearchApiDateTime(String dateString) { try { return TWITTER_SEARCH_API_DATE_FORMATTER.parse(dateString); } catch (ParseException e) { Log.w(TAG, "Could not parse Twitter search date string: " + dateString); return null; } } public static final DateFormat AGO_FULL_DATE_FORMATTER = new SimpleDateFormat( "yyyy-MM-dd HH:mm"); public static String getRelativeDate(Date date) { Date now = new Date(); String prefix = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_prefix); String sec = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_sec); String min = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_min); String hour = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_hour); String day = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_day); String suffix = TwitterApplication.mContext .getString(R.string.tweet_created_at_beautify_suffix); // Seconds. long diff = (now.getTime() - date.getTime()) / 1000; if (diff < 0) { diff = 0; } if (diff < 60) { return diff + sec + suffix; } // Minutes. diff /= 60; if (diff < 60) { return prefix + diff + min + suffix; } // Hours. diff /= 60; if (diff < 24) { return prefix + diff + hour + suffix; } return AGO_FULL_DATE_FORMATTER.format(date); } public static long getNowTime() { return Calendar.getInstance().getTime().getTime(); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/util/DateTimeHelper.java
Java
asf20
3,060
package com.ch_linghu.fanfoudroid.util; import java.io.InputStream; import java.io.OutputStream; public class StreamUtils { public static void CopyStream(InputStream is, OutputStream os) { final int buffer_size = 1024; try { byte[] bytes = new byte[buffer_size]; for (;;) { int count = is.read(bytes, 0, buffer_size); if (count == -1) break; os.write(bytes, 0, count); } } catch (Exception ex) { } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/util/StreamUtils.java
Java
asf20
458
package com.ch_linghu.fanfoudroid.util; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.regex.Matcher; import java.util.regex.Pattern; import android.text.Html; import android.text.util.Linkify; import android.util.Log; import android.widget.TextView; import android.widget.TextView.BufferType; public class TextHelper { private static final String TAG = "TextHelper"; public static String stringifyStream(InputStream is) throws IOException { BufferedReader reader = new BufferedReader(new InputStreamReader(is)); StringBuilder sb = new StringBuilder(); String line; while ((line = reader.readLine()) != null) { sb.append(line + "\n"); } return sb.toString(); } private static HashMap<String, String> _userLinkMapping = new HashMap<String, String>(); private static final Pattern NAME_MATCHER = Pattern.compile("@.+?\\s"); private static final Linkify.MatchFilter NAME_MATCHER_MATCH_FILTER = new Linkify.MatchFilter() { @Override public final boolean acceptMatch(final CharSequence s, final int start, final int end) { String name = s.subSequence(start + 1, end).toString().trim(); boolean result = _userLinkMapping.containsKey(name); return result; } }; private static final Linkify.TransformFilter NAME_MATCHER_TRANSFORM_FILTER = new Linkify.TransformFilter() { @Override public String transformUrl(Matcher match, String url) { // TODO Auto-generated method stub String name = url.subSequence(1, url.length()).toString().trim(); return _userLinkMapping.get(name); } }; private static final String TWITTA_USER_URL = "twitta://users/"; public static void linkifyUsers(TextView view) { Linkify.addLinks(view, NAME_MATCHER, TWITTA_USER_URL, NAME_MATCHER_MATCH_FILTER, NAME_MATCHER_TRANSFORM_FILTER); } private static final Pattern TAG_MATCHER = Pattern.compile("#\\w+#"); private static final Linkify.TransformFilter TAG_MATCHER_TRANSFORM_FILTER = new Linkify.TransformFilter() { @Override public final String transformUrl(Matcher match, String url) { String result = url.substring(1, url.length() - 1); return result; } }; private static final String TWITTA_SEARCH_URL = "twitta://search/"; public static void linkifyTags(TextView view) { Linkify.addLinks(view, TAG_MATCHER, TWITTA_SEARCH_URL, null, TAG_MATCHER_TRANSFORM_FILTER); } private static Pattern USER_LINK = Pattern .compile("@<a href=\"http:\\/\\/fanfou\\.com\\/(.*?)\" class=\"former\">(.*?)<\\/a>"); private static String preprocessText(String text) { // 处理HTML格式返回的用户链接 Matcher m = USER_LINK.matcher(text); while (m.find()) { _userLinkMapping.put(m.group(2), m.group(1)); Log.d(TAG, String.format("Found mapping! %s=%s", m.group(2), m.group(1))); } // 将User Link的连接去掉 StringBuffer sb = new StringBuffer(); m = USER_LINK.matcher(text); while (m.find()) { m.appendReplacement(sb, "@$2"); } m.appendTail(sb); return sb.toString(); } public static String getSimpleTweetText(String text) { return Html.fromHtml(text).toString(); } public static void setSimpleTweetText(TextView textView, String text) { String processedText = getSimpleTweetText(text); textView.setText(processedText); } public static void setTweetText(TextView textView, String text) { String processedText = preprocessText(text); textView.setText(Html.fromHtml(processedText), BufferType.SPANNABLE); Linkify.addLinks(textView, Linkify.WEB_URLS | Linkify.EMAIL_ADDRESSES); linkifyUsers(textView); linkifyTags(textView); _userLinkMapping.clear(); } /** * 从消息中获取全部提到的人,将它们按先后顺序放入一个列表 * * @param msg * 消息文本 * @return 消息中@的人的列表,按顺序存放 */ public static List<String> getMentions(String msg) { ArrayList<String> mentionList = new ArrayList<String>(); final Pattern p = Pattern.compile("@(.*?)\\s"); final int MAX_NAME_LENGTH = 12; // 简化判断,无论中英文最长12个字 Matcher m = p.matcher(msg); while (m.find()) { String mention = m.group(1); // 过长的名字就忽略(不是合法名字) +1是为了补上“@”所占的长度 if (mention.length() <= MAX_NAME_LENGTH + 1) { // 避免重复名字 if (!mentionList.contains(mention)) { mentionList.add(m.group(1)); } } } return mentionList; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/util/TextHelper.java
Java
asf20
4,585
package com.ch_linghu.fanfoudroid.util; import java.io.File; import java.io.IOException; import android.os.Environment; /** * 对SD卡文件的管理 * * @author ch.linghu * */ public class FileHelper { private static final String TAG = "FileHelper"; private static final String BASE_PATH = "fanfoudroid"; public static File getBasePath() throws IOException { File basePath = new File(Environment.getExternalStorageDirectory(), BASE_PATH); if (!basePath.exists()) { if (!basePath.mkdirs()) { throw new IOException(String.format("%s cannot be created!", basePath.toString())); } } if (!basePath.isDirectory()) { throw new IOException(String.format("%s is not a directory!", basePath.toString())); } return basePath; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/util/FileHelper.java
Java
asf20
778
package com.ch_linghu.fanfoudroid.fanfou; /** * An exception class that will be thrown when WeiboAPI calls are failed.<br> * In case the Fanfou server returned HTTP error code, you can get the HTTP * status code using getStatusCode() method. */ public class WeiboException extends Exception { private int statusCode = -1; private static final long serialVersionUID = -2623309261327598087L; public WeiboException(String msg) { super(msg); } public WeiboException(Exception cause) { super(cause); } public WeiboException(String msg, int statusCode) { super(msg); this.statusCode = statusCode; } public WeiboException(String msg, Exception cause) { super(msg, cause); } public WeiboException(String msg, Exception cause, int statusCode) { super(msg, cause); this.statusCode = statusCode; } public int getStatusCode() { return this.statusCode; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/WeiboException.java
Java
asf20
887
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.NodeList; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing one single retweet details. * * @author Yusuke Yamamoto - yusuke at mac.com * @since Weibo4J 2.0.10 */ public class RetweetDetails extends WeiboResponse implements java.io.Serializable { private long retweetId; private Date retweetedAt; private User retweetingUser; static final long serialVersionUID = 1957982268696560598L; public RetweetDetails(Response res, Weibo weibo) throws HttpException { super(res); Element elem = res.asDocument().getDocumentElement(); init(res, elem, weibo); } public RetweetDetails(JSONObject json) throws HttpException { super(); init(json); } private void init(JSONObject json) throws HttpException { try { retweetId = json.getInt("retweetId"); retweetedAt = parseDate(json.getString("retweetedAt"), "EEE MMM dd HH:mm:ss z yyyy"); retweetingUser = new User(json.getJSONObject("retweetingUser")); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + json.toString(), jsone); } } /* package */public RetweetDetails(Response res, Element elem, Weibo weibo) throws HttpException { super(res); init(res, elem, weibo); } private void init(Response res, Element elem, Weibo weibo) throws HttpException { ensureRootNodeNameIs("retweet_details", elem); retweetId = getChildLong("retweet_id", elem); retweetedAt = getChildDate("retweeted_at", elem); retweetingUser = new User(res, (Element) elem.getElementsByTagName( "retweeting_user").item(0), weibo); } public long getRetweetId() { return retweetId; } public Date getRetweetedAt() { return retweetedAt; } public User getRetweetingUser() { return retweetingUser; } /* modify by sycheng add json */ /* package */ static List<RetweetDetails> createRetweetDetails(Response res) throws HttpException { try { JSONArray list = res.asJSONArray(); int size = list.length(); List<RetweetDetails> retweets = new ArrayList<RetweetDetails>(size); for (int i = 0; i < size; i++) { retweets.add(new RetweetDetails(list.getJSONObject(i))); } return retweets; } catch (JSONException jsone) { throw new HttpException(jsone); } catch (HttpException te) { throw te; } } /* package */ static List<RetweetDetails> createRetweetDetails(Response res, Weibo weibo) throws HttpException { Document doc = res.asDocument(); if (isRootNodeNilClasses(doc)) { return new ArrayList<RetweetDetails>(0); } else { try { ensureRootNodeNameIs("retweets", doc); NodeList list = doc.getDocumentElement().getElementsByTagName( "retweet_details"); int size = list.getLength(); List<RetweetDetails> statuses = new ArrayList<RetweetDetails>( size); for (int i = 0; i < size; i++) { Element status = (Element) list.item(i); statuses.add(new RetweetDetails(res, status, weibo)); } return statuses; } catch (HttpException te) { ensureRootNodeNameIs("nil-classes", doc); return new ArrayList<RetweetDetails>(0); } } } @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof RetweetDetails)) return false; RetweetDetails that = (RetweetDetails) o; return retweetId == that.retweetId; } @Override public int hashCode() { int result = (int) (retweetId ^ (retweetId >>> 32)); result = 31 * result + retweetedAt.hashCode(); result = 31 * result + retweetingUser.hashCode(); return result; } @Override public String toString() { return "RetweetDetails{" + "retweetId=" + retweetId + ", retweetedAt=" + retweetedAt + ", retweetingUser=" + retweetingUser + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/RetweetDetails.java
Java
asf20
5,531
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.io.File; import java.io.FileInputStream; import java.io.InputStream; import java.security.AccessControlException; import java.util.Properties; /** * @author Yusuke Yamamoto - yusuke at mac.com */ public class Configuration { private static Properties defaultProperty; static { init(); } /* package */static void init() { defaultProperty = new Properties(); //defaultProperty.setProperty("fanfoudroid.debug", "false"); defaultProperty.setProperty("fanfoudroid.debug", "true"); defaultProperty.setProperty("fanfoudroid.source", "fanfoudroid"); // defaultProperty.setProperty("fanfoudroid.clientVersion",""); defaultProperty.setProperty("fanfoudroid.clientURL", "http://sandin.tk/fanfoudroid.xml"); defaultProperty.setProperty("fanfoudroid.http.userAgent", "fanfoudroid 1.0"); // defaultProperty.setProperty("fanfoudroid.user",""); // defaultProperty.setProperty("fanfoudroid.password",""); defaultProperty.setProperty("fanfoudroid.http.useSSL", "false"); // defaultProperty.setProperty("fanfoudroid.http.proxyHost",""); defaultProperty.setProperty("fanfoudroid.http.proxyHost.fallback", "http.proxyHost"); // defaultProperty.setProperty("fanfoudroid.http.proxyUser",""); // defaultProperty.setProperty("fanfoudroid.http.proxyPassword",""); // defaultProperty.setProperty("fanfoudroid.http.proxyPort",""); defaultProperty.setProperty("fanfoudroid.http.proxyPort.fallback", "http.proxyPort"); defaultProperty.setProperty("fanfoudroid.http.connectionTimeout", "20000"); defaultProperty.setProperty("fanfoudroid.http.readTimeout", "120000"); defaultProperty.setProperty("fanfoudroid.http.retryCount", "3"); defaultProperty.setProperty("fanfoudroid.http.retryIntervalSecs", "10"); // defaultProperty.setProperty("fanfoudroid.oauth.consumerKey",""); // defaultProperty.setProperty("fanfoudroid.oauth.consumerSecret",""); defaultProperty.setProperty("fanfoudroid.async.numThreads", "1"); defaultProperty.setProperty("fanfoudroid.clientVersion", "1.0"); try { // Android platform should have dalvik.system.VMRuntime in the // classpath. // @see // http://developer.android.com/reference/dalvik/system/VMRuntime.html Class.forName("dalvik.system.VMRuntime"); defaultProperty.setProperty("fanfoudroid.dalvik", "true"); } catch (ClassNotFoundException cnfe) { defaultProperty.setProperty("fanfoudroid.dalvik", "false"); } DALVIK = getBoolean("fanfoudroid.dalvik"); String t4jProps = "fanfoudroid.properties"; boolean loaded = loadProperties(defaultProperty, "." + File.separatorChar + t4jProps) || loadProperties( defaultProperty, Configuration.class.getResourceAsStream("/WEB-INF/" + t4jProps)) || loadProperties(defaultProperty, Configuration.class.getResourceAsStream("/" + t4jProps)); } private static boolean loadProperties(Properties props, String path) { try { File file = new File(path); if (file.exists() && file.isFile()) { props.load(new FileInputStream(file)); return true; } } catch (Exception ignore) { } return false; } private static boolean loadProperties(Properties props, InputStream is) { try { props.load(is); return true; } catch (Exception ignore) { } return false; } private static boolean DALVIK; public static boolean isDalvik() { return DALVIK; } public static boolean useSSL() { return getBoolean("fanfoudroid.http.useSSL"); } public static String getScheme() { return useSSL() ? "https://" : "http://"; } public static String getCilentVersion() { return getProperty("fanfoudroid.clientVersion"); } public static String getCilentVersion(String clientVersion) { return getProperty("fanfoudroid.clientVersion", clientVersion); } public static String getSource() { return getProperty("fanfoudroid.source"); } public static String getSource(String source) { return getProperty("fanfoudroid.source", source); } public static String getProxyHost() { return getProperty("fanfoudroid.http.proxyHost"); } public static String getProxyHost(String proxyHost) { return getProperty("fanfoudroid.http.proxyHost", proxyHost); } public static String getProxyUser() { return getProperty("fanfoudroid.http.proxyUser"); } public static String getProxyUser(String user) { return getProperty("fanfoudroid.http.proxyUser", user); } public static String getClientURL() { return getProperty("fanfoudroid.clientURL"); } public static String getClientURL(String clientURL) { return getProperty("fanfoudroid.clientURL", clientURL); } public static String getProxyPassword() { return getProperty("fanfoudroid.http.proxyPassword"); } public static String getProxyPassword(String password) { return getProperty("fanfoudroid.http.proxyPassword", password); } public static int getProxyPort() { return getIntProperty("fanfoudroid.http.proxyPort"); } public static int getProxyPort(int port) { return getIntProperty("fanfoudroid.http.proxyPort", port); } public static int getConnectionTimeout() { return getIntProperty("fanfoudroid.http.connectionTimeout"); } public static int getConnectionTimeout(int connectionTimeout) { return getIntProperty("fanfoudroid.http.connectionTimeout", connectionTimeout); } public static int getReadTimeout() { return getIntProperty("fanfoudroid.http.readTimeout"); } public static int getReadTimeout(int readTimeout) { return getIntProperty("fanfoudroid.http.readTimeout", readTimeout); } public static int getRetryCount() { return getIntProperty("fanfoudroid.http.retryCount"); } public static int getRetryCount(int retryCount) { return getIntProperty("fanfoudroid.http.retryCount", retryCount); } public static int getRetryIntervalSecs() { return getIntProperty("fanfoudroid.http.retryIntervalSecs"); } public static int getRetryIntervalSecs(int retryIntervalSecs) { return getIntProperty("fanfoudroid.http.retryIntervalSecs", retryIntervalSecs); } public static String getUser() { return getProperty("fanfoudroid.user"); } public static String getUser(String userId) { return getProperty("fanfoudroid.user", userId); } public static String getPassword() { return getProperty("fanfoudroid.password"); } public static String getPassword(String password) { return getProperty("fanfoudroid.password", password); } public static String getUserAgent() { return getProperty("fanfoudroid.http.userAgent"); } public static String getUserAgent(String userAgent) { return getProperty("fanfoudroid.http.userAgent", userAgent); } public static String getOAuthConsumerKey() { return getProperty("fanfoudroid.oauth.consumerKey"); } public static String getOAuthConsumerKey(String consumerKey) { return getProperty("fanfoudroid.oauth.consumerKey", consumerKey); } public static String getOAuthConsumerSecret() { return getProperty("fanfoudroid.oauth.consumerSecret"); } public static String getOAuthConsumerSecret(String consumerSecret) { return getProperty("fanfoudroid.oauth.consumerSecret", consumerSecret); } public static boolean getBoolean(String name) { String value = getProperty(name); return Boolean.valueOf(value); } public static int getIntProperty(String name) { String value = getProperty(name); try { return Integer.parseInt(value); } catch (NumberFormatException nfe) { return -1; } } public static int getIntProperty(String name, int fallbackValue) { String value = getProperty(name, String.valueOf(fallbackValue)); try { return Integer.parseInt(value); } catch (NumberFormatException nfe) { return -1; } } public static long getLongProperty(String name) { String value = getProperty(name); try { return Long.parseLong(value); } catch (NumberFormatException nfe) { return -1; } } public static String getProperty(String name) { return getProperty(name, null); } public static String getProperty(String name, String fallbackValue) { String value; try { value = System.getProperty(name, fallbackValue); if (null == value) { value = defaultProperty.getProperty(name); } if (null == value) { String fallback = defaultProperty.getProperty(name + ".fallback"); if (null != fallback) { value = System.getProperty(fallback); } } } catch (AccessControlException ace) { // Unsigned applet cannot access System properties value = fallbackValue; } return replace(value); } private static String replace(String value) { if (null == value) { return value; } String newValue = value; int openBrace = 0; if (-1 != (openBrace = value.indexOf("{", openBrace))) { int closeBrace = value.indexOf("}", openBrace); if (closeBrace > (openBrace + 1)) { String name = value.substring(openBrace + 1, closeBrace); if (name.length() > 0) { newValue = value.substring(0, openBrace) + getProperty(name) + value.substring(closeBrace + 1); } } } if (newValue.equals(value)) { return value; } else { return replace(newValue); } } public static int getNumberOfAsyncThreads() { return getIntProperty("fanfoudroid.async.numThreads"); } public static boolean getDebug() { return getBoolean("fanfoudroid.debug"); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Configuration.java
Java
asf20
10,823
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; /** * Controlls pagination * * @author Yusuke Yamamoto - yusuke at mac.com */ public class Paging implements java.io.Serializable { private int page = -1; private int count = -1; private String sinceId = ""; private String maxId = ""; private static final long serialVersionUID = -3285857427993796670L; public Paging() { } public Paging(int page) { setPage(page); } public Paging(String sinceId) { setSinceId(sinceId); } public Paging(int page, int count) { this(page); setCount(count); } public Paging(int page, String sinceId) { this(page); setSinceId(sinceId); } public Paging(int page, int count, String sinceId) { this(page, count); setSinceId(sinceId); } public Paging(int page, int count, String sinceId, String maxId) { this(page, count, sinceId); setMaxId(maxId); } public int getPage() { return page; } public void setPage(int page) { if (page < 1) { throw new IllegalArgumentException( "page should be positive integer. passed:" + page); } this.page = page; } public int getCount() { return count; } public void setCount(int count) { if (count < 1) { throw new IllegalArgumentException( "count should be positive integer. passed:" + count); } this.count = count; } public Paging count(int count) { setCount(count); return this; } public String getSinceId() { return sinceId; } public void setSinceId(String sinceId) { if (sinceId.length() > 0) { this.sinceId = sinceId; } else { throw new IllegalArgumentException("since_id is null. passed:" + sinceId); } } public Paging sinceId(String sinceId) { setSinceId(sinceId); return this; } public String getMaxId() { return maxId; } public void setMaxId(String maxId) { if (maxId.length() == 0) { throw new IllegalArgumentException("max_id is null. passed:" + maxId); } this.maxId = maxId; } public Paging maxId(String maxId) { setMaxId(maxId); return this; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Paging.java
Java
asf20
3,505
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.Date; import java.util.Iterator; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing Treands. * * @author Yusuke Yamamoto - yusuke at mac.com * @since Weibo4J 2.0.2 */ public class Trends extends WeiboResponse implements Comparable<Trends> { private Date asOf; private Date trendAt; private Trend[] trends; private static final long serialVersionUID = -7151479143843312309L; public int compareTo(Trends that) { return this.trendAt.compareTo(that.trendAt); } /* package */Trends(Response res, Date asOf, Date trendAt, Trend[] trends) throws HttpException { super(res); this.asOf = asOf; this.trendAt = trendAt; this.trends = trends; } /* package */ static List<Trends> constructTrendsList(Response res) throws HttpException { JSONObject json = res.asJSONObject(); List<Trends> trends; try { Date asOf = parseDate(json.getString("as_of")); JSONObject trendsJson = json.getJSONObject("trends"); trends = new ArrayList<Trends>(trendsJson.length()); Iterator ite = trendsJson.keys(); while (ite.hasNext()) { String key = (String) ite.next(); JSONArray array = trendsJson.getJSONArray(key); Trend[] trendsArray = jsonArrayToTrendArray(array); if (key.length() == 19) { // current trends trends.add(new Trends(res, asOf, parseDate(key, "yyyy-MM-dd HH:mm:ss"), trendsArray)); } else if (key.length() == 16) { // daily trends trends.add(new Trends(res, asOf, parseDate(key, "yyyy-MM-dd HH:mm"), trendsArray)); } else if (key.length() == 10) { // weekly trends trends.add(new Trends(res, asOf, parseDate(key, "yyyy-MM-dd"), trendsArray)); } } Collections.sort(trends); return trends; } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + res.asString(), jsone); } } /* package */ static Trends constructTrends(Response res) throws HttpException { JSONObject json = res.asJSONObject(); try { Date asOf = parseDate(json.getString("as_of")); JSONArray array = json.getJSONArray("trends"); Trend[] trendsArray = jsonArrayToTrendArray(array); return new Trends(res, asOf, asOf, trendsArray); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + res.asString(), jsone); } } private static Date parseDate(String asOfStr) throws HttpException { Date parsed; if (asOfStr.length() == 10) { parsed = new Date(Long.parseLong(asOfStr) * 1000); } else { // parsed = WeiboResponse.parseDate(asOfStr, // "EEE, d MMM yyyy HH:mm:ss z"); parsed = WeiboResponse.parseDate(asOfStr, "EEE MMM WW HH:mm:ss z yyyy"); } return parsed; } private static Trend[] jsonArrayToTrendArray(JSONArray array) throws JSONException { Trend[] trends = new Trend[array.length()]; for (int i = 0; i < array.length(); i++) { JSONObject trend = array.getJSONObject(i); trends[i] = new Trend(trend); } return trends; } public Trend[] getTrends() { return this.trends; } public Date getAsOf() { return asOf; } public Date getTrendAt() { return trendAt; } @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof Trends)) return false; Trends trends1 = (Trends) o; if (asOf != null ? !asOf.equals(trends1.asOf) : trends1.asOf != null) return false; if (trendAt != null ? !trendAt.equals(trends1.trendAt) : trends1.trendAt != null) return false; if (!Arrays.equals(trends, trends1.trends)) return false; return true; } @Override public int hashCode() { int result = asOf != null ? asOf.hashCode() : 0; result = 31 * result + (trendAt != null ? trendAt.hashCode() : 0); result = 31 * result + (trends != null ? Arrays.hashCode(trends) : 0); return result; } @Override public String toString() { return "Trends{" + "asOf=" + asOf + ", trendAt=" + trendAt + ", trends=" + (trends == null ? null : Arrays.asList(trends)) + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Trends.java
Java
asf20
5,799
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import org.json.JSONException; import org.json.JSONObject; /** * A data class representing Treand. * * @author Yusuke Yamamoto - yusuke at mac.com * @since Weibo4J 2.0.2 */ public class Trend implements java.io.Serializable { private String name; private String url = null; private String query = null; private static final long serialVersionUID = 1925956704460743946L; public Trend(JSONObject json) throws JSONException { this.name = json.getString("name"); if (!json.isNull("url")) { this.url = json.getString("url"); } if (!json.isNull("query")) { this.query = json.getString("query"); } } public String getName() { return name; } public String getUrl() { return url; } public String getQuery() { return query; } @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof Trend)) return false; Trend trend = (Trend) o; if (!name.equals(trend.name)) return false; if (query != null ? !query.equals(trend.query) : trend.query != null) return false; if (url != null ? !url.equals(trend.url) : trend.url != null) return false; return true; } @Override public int hashCode() { int result = name.hashCode(); result = 31 * result + (url != null ? url.hashCode() : 0); result = 31 * result + (query != null ? query.hashCode() : 0); return result; } @Override public String toString() { return "Trend{" + "name='" + name + '\'' + ", url='" + url + '\'' + ", query='" + query + '\'' + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Trend.java
Java
asf20
3,047
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing search API response * * @author Yusuke Yamamoto - yusuke at mac.com */ public class QueryResult extends WeiboResponse { private long sinceId; private long maxId; private String refreshUrl; private int resultsPerPage; private int total = -1; private String warning; private double completedIn; private int page; private String query; private List<Status> tweets; private static final long serialVersionUID = -9059136565234613286L; /* package */QueryResult(Response res, WeiboSupport weiboSupport) throws HttpException { super(res); // 饭否search API直接返回 "[{JSONObejet},{JSONObejet},{JSONObejet}]"的JSONArray // System.out.println("TAG " + res.asString()); JSONArray array = res.asJSONArray(); try { tweets = new ArrayList<Status>(array.length()); for (int i = 0; i < array.length(); i++) { JSONObject tweet = array.getJSONObject(i); tweets.add(new Status(tweet)); } } catch (JSONException jsone) { throw new HttpException( jsone.getMessage() + ":" + array.toString(), jsone); } } /* package */QueryResult(Query query) throws HttpException { super(); sinceId = query.getSinceId(); resultsPerPage = query.getRpp(); page = query.getPage(); tweets = new ArrayList<Status>(0); } public long getSinceId() { return sinceId; } public long getMaxId() { return maxId; } public String getRefreshUrl() { return refreshUrl; } public int getResultsPerPage() { return resultsPerPage; } /** * returns the number of hits * * @return number of hits * @deprecated The Weibo API doesn't return total anymore * @see <a href="http://yusuke.homeip.net/jira/browse/TFJ-108">TRJ-108 * deprecate QueryResult#getTotal()</a> */ @Deprecated public int getTotal() { return total; } public String getWarning() { return warning; } public double getCompletedIn() { return completedIn; } public int getPage() { return page; } public String getQuery() { return query; } public List<Status> getStatus() { return tweets; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; QueryResult that = (QueryResult) o; if (Double.compare(that.completedIn, completedIn) != 0) return false; if (maxId != that.maxId) return false; if (page != that.page) return false; if (resultsPerPage != that.resultsPerPage) return false; if (sinceId != that.sinceId) return false; if (total != that.total) return false; if (!query.equals(that.query)) return false; if (refreshUrl != null ? !refreshUrl.equals(that.refreshUrl) : that.refreshUrl != null) return false; if (tweets != null ? !tweets.equals(that.tweets) : that.tweets != null) return false; if (warning != null ? !warning.equals(that.warning) : that.warning != null) return false; return true; } @Override public int hashCode() { int result; long temp; result = (int) (sinceId ^ (sinceId >>> 32)); result = 31 * result + (int) (maxId ^ (maxId >>> 32)); result = 31 * result + (refreshUrl != null ? refreshUrl.hashCode() : 0); result = 31 * result + resultsPerPage; result = 31 * result + total; result = 31 * result + (warning != null ? warning.hashCode() : 0); temp = completedIn != +0.0d ? Double.doubleToLongBits(completedIn) : 0L; result = 31 * result + (int) (temp ^ (temp >>> 32)); result = 31 * result + page; result = 31 * result + query.hashCode(); result = 31 * result + (tweets != null ? tweets.hashCode() : 0); return result; } @Override public String toString() { return "QueryResult{" + "sinceId=" + sinceId + ", maxId=" + maxId + ", refreshUrl='" + refreshUrl + '\'' + ", resultsPerPage=" + resultsPerPage + ", total=" + total + ", warning='" + warning + '\'' + ", completedIn=" + completedIn + ", page=" + page + ", query='" + query + '\'' + ", tweets=" + tweets + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/QueryResult.java
Java
asf20
5,759
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.io.File; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Date; import java.util.List; import java.util.Locale; import java.util.TimeZone; import org.apache.http.client.methods.HttpPost; import org.apache.http.message.BasicNameValuePair; import org.json.JSONException; import android.text.TextUtils; import android.util.Log; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.http.HttpClient; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; public class Weibo extends WeiboSupport implements java.io.Serializable { public static final String TAG = "Weibo_API"; public static final String CONSUMER_KEY = Configuration.getSource(); public static final String CONSUMER_SECRET = ""; private String baseURL = Configuration.getScheme() + "api.fanfou.com/"; private String searchBaseURL = Configuration.getScheme() + "api.fanfou.com/"; private static final long serialVersionUID = -1486360080128882436L; public Weibo() { super(); // In case that the user is not logged in format.setTimeZone(TimeZone.getTimeZone("GMT")); } public Weibo(String userId, String password) { super(userId, password); format.setTimeZone(TimeZone.getTimeZone("GMT")); } public Weibo(String userId, String password, String baseURL) { this(userId, password); this.baseURL = baseURL; } /** * 设置HttpClient的Auth,为请求做准备 * * @param username * @param password */ public void setCredentials(String username, String password) { http.setCredentials(username, password); } /** * 仅判断是否为空 * * @param username * @param password * @return */ public static boolean isValidCredentials(String username, String password) { return !TextUtils.isEmpty(username) && !TextUtils.isEmpty(password); } /** * 在服务器上验证用户名/密码是否正确,成功则返回该用户信息,失败则抛出异常。 * * @param username * @param password * @return Verified User * @throws HttpException * 验证失败及其他非200响应均抛出异常 */ public User login(String username, String password) throws HttpException { Log.d(TAG, "Login attempt for " + username); http.setCredentials(username, password); // Verify userName and password on the server. User user = verifyCredentials(); if (null != user && user.getId().length() > 0) { } return user; } /** * Reset HttpClient's Credentials */ public void reset() { http.reset(); } /** * Whether Logged-in * * @return */ public boolean isLoggedIn() { // HttpClient的userName&password是由TwitterApplication#onCreate // 从SharedPreferences中取出的,他们为空则表示尚未登录,因为他们只在验证 // 账户成功后才会被储存,且注销时被清空。 return isValidCredentials(http.getUserId(), http.getPassword()); } /** * Sets the base URL * * @param baseURL * String the base URL */ public void setBaseURL(String baseURL) { this.baseURL = baseURL; } /** * Returns the base URL * * @return the base URL */ public String getBaseURL() { return this.baseURL; } /** * Sets the search base URL * * @param searchBaseURL * the search base URL * @since fanfoudroid 0.5.0 */ public void setSearchBaseURL(String searchBaseURL) { this.searchBaseURL = searchBaseURL; } /** * Returns the search base url * * @return search base url * @since fanfoudroid 0.5.0 */ public String getSearchBaseURL() { return this.searchBaseURL; } /** * Returns authenticating userid 注意:此userId不一定等同与饭否用户的user_id参数 * 它可能是任意一种当前用户所使用的ID类型(如邮箱,用户名等), * * @return userid */ public String getUserId() { return http.getUserId(); } /** * Returns authenticating password * * @return password */ public String getPassword() { return http.getPassword(); } /** * Issues an HTTP GET request. * * @param url * the request url * @param authenticate * if true, the request will be sent with BASIC authentication * header * @return the response * @throws HttpException */ protected Response get(String url, boolean authenticate) throws HttpException { return get(url, null, authenticate); } /** * Issues an HTTP GET request. * * @param url * the request url * @param authenticate * if true, the request will be sent with BASIC authentication * header * @param name1 * the name of the first parameter * @param value1 * the value of the first parameter * @return the response * @throws HttpException */ protected Response get(String url, String name1, String value1, boolean authenticate) throws HttpException { ArrayList<BasicNameValuePair> params = new ArrayList<BasicNameValuePair>(); params.add(new BasicNameValuePair(name1, HttpClient.encode(value1))); return get(url, params, authenticate); } /** * Issues an HTTP GET request. * * @param url * the request url * @param name1 * the name of the first parameter * @param value1 * the value of the first parameter * @param name2 * the name of the second parameter * @param value2 * the value of the second parameter * @param authenticate * if true, the request will be sent with BASIC authentication * header * @return the response * @throws HttpException */ protected Response get(String url, String name1, String value1, String name2, String value2, boolean authenticate) throws HttpException { ArrayList<BasicNameValuePair> params = new ArrayList<BasicNameValuePair>(); params.add(new BasicNameValuePair(name1, HttpClient.encode(value1))); params.add(new BasicNameValuePair(name2, HttpClient.encode(value2))); return get(url, params, authenticate); } /** * Issues an HTTP GET request. * * @param url * the request url * @param params * the request parameters * @param authenticate * if true, the request will be sent with BASIC authentication * header * @return the response * @throws HttpException */ protected Response get(String url, ArrayList<BasicNameValuePair> params, boolean authenticated) throws HttpException { if (url.indexOf("?") == -1) { url += "?source=" + CONSUMER_KEY; } else if (url.indexOf("source") == -1) { url += "&source=" + CONSUMER_KEY; } // 以HTML格式获得数据,以便进一步处理 url += "&format=html"; if (null != params && params.size() > 0) { url += "&" + HttpClient.encodeParameters(params); } return http.get(url, authenticated); } /** * Issues an HTTP GET request. * * @param url * the request url * @param params * the request parameters * @param paging * controls pagination * @param authenticate * if true, the request will be sent with BASIC authentication * header * @return the response * @throws HttpException */ protected Response get(String url, ArrayList<BasicNameValuePair> params, Paging paging, boolean authenticate) throws HttpException { if (null == params) { params = new ArrayList<BasicNameValuePair>(); } if (null != paging) { if ("" != paging.getMaxId()) { params.add(new BasicNameValuePair("max_id", String .valueOf(paging.getMaxId()))); } if ("" != paging.getSinceId()) { params.add(new BasicNameValuePair("since_id", String .valueOf(paging.getSinceId()))); } if (-1 != paging.getPage()) { params.add(new BasicNameValuePair("page", String.valueOf(paging .getPage()))); } if (-1 != paging.getCount()) { params.add(new BasicNameValuePair("count", String .valueOf(paging.getCount()))); } return get(url, params, authenticate); } else { return get(url, params, authenticate); } } /** * 生成POST Parameters助手 * * @param nameValuePair * 参数(一个或多个) * @return post parameters */ public ArrayList<BasicNameValuePair> createParams( BasicNameValuePair... nameValuePair) { ArrayList<BasicNameValuePair> params = new ArrayList<BasicNameValuePair>(); for (BasicNameValuePair param : nameValuePair) { params.add(param); } return params; } /***************** API METHOD START *********************/ /* 搜索相关的方法 */ /** * Returns tweets that match a specified query. <br> * This method calls http://api.fanfou.com/users/search.format * * @param query * - the search condition * @return the result * @throws HttpException * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public QueryResult search(Query query) throws HttpException { try { return new QueryResult(get(searchBaseURL + "search/public_timeline.json", query.asPostParameters(), false), this); } catch (HttpException te) { if (404 == te.getStatusCode()) { return new QueryResult(query); } else { throw te; } } } /** * Returns the top ten topics that are currently trending on Weibo. The * response includes the time of the request, the name of each trend. * * @return the result * @throws HttpException * @since fanfoudroid 0.5.0 */ public Trends getTrends() throws HttpException { return Trends .constructTrends(get(searchBaseURL + "trends.json", false)); } private String toDateStr(Date date) { if (null == date) { date = new Date(); } SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd"); return sdf.format(date); } /* 消息相关的方法 */ /** * Returns the 20 most recent statuses from non-protected users who have set * a custom user icon. <br> * This method calls http://api.fanfou.com/statuses/public_timeline.format * * @return list of statuses of the Public Timeline * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getPublicTimeline() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/public_timeline.json", true)); } public RateLimitStatus getRateLimitStatus() throws HttpException { return new RateLimitStatus(get(getBaseURL() + "account/rate_limit_status.json", true), this); } /** * Returns the 20 most recent statuses, including retweets, posted by the * authenticating user and that user's friends. This is the equivalent of * /timeline/home on the Web. <br> * This method calls http://api.fanfou.com/statuses/home_timeline.format * * @return list of the home Timeline * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getHomeTimeline() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/home_timeline.json", true)); } /** * Returns the 20 most recent statuses, including retweets, posted by the * authenticating user and that user's friends. This is the equivalent of * /timeline/home on the Web. <br> * This method calls http://api.fanfou.com/statuses/home_timeline.format * * @param paging * controls pagination * @return list of the home Timeline * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getHomeTimeline(Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/home_timeline.json", null, paging, true)); } /** * Returns the 20 most recent statuses posted in the last 24 hours from the * authenticating1 user and that user's friends. It's also possible to * request another user's friends_timeline via the id parameter below. <br> * This method calls http://api.fanfou.com/statuses/friends_timeline.format * * @return list of the Friends Timeline * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getFriendsTimeline() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/friends_timeline.json", true)); } /** * Returns the 20 most recent statuses posted in the last 24 hours from the * specified userid. <br> * This method calls http://api.fanfou.com/statuses/friends_timeline.format * * @param paging * controls pagination * @return list of the Friends Timeline * @throws HttpException * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getFriendsTimeline(Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/friends_timeline.json", null, paging, true)); } /** * Returns friend time line by page and count. <br> * This method calls http://api.fanfou.com/statuses/friends_timeline.format * * @param page * @param count * @return * @throws HttpException */ public List<Status> getFriendsTimeline(int page, int count) throws HttpException { Paging paging = new Paging(page, count); return Status.constructStatuses(get(getBaseURL() + "statuses/friends_timeline.json", null, paging, true)); } /** * Returns the most recent statuses posted in the last 24 hours from the * specified userid. <br> * This method calls http://api.fanfou.com/statuses/user_timeline.format * * @param id * specifies the ID or screen name of the user for whom to return * the user_timeline * @param paging * controls pagenation * @return list of the user Timeline * @throws HttpException * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getUserTimeline(String id, Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/user_timeline/" + id + ".json", null, paging, http.isAuthenticationEnabled())); } /** * Returns the most recent statuses posted in the last 24 hours from the * specified userid. <br> * This method calls http://api.fanfou.com/statuses/user_timeline.format * * @param id * specifies the ID or screen name of the user for whom to return * the user_timeline * @return the 20 most recent statuses posted in the last 24 hours from the * user * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getUserTimeline(String id) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/user_timeline/" + id + ".json", http.isAuthenticationEnabled())); } /** * Returns the most recent statuses posted in the last 24 hours from the * authenticating user. <br> * This method calls http://api.fanfou.com/statuses/user_timeline.format * * @return the 20 most recent statuses posted in the last 24 hours from the * user * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getUserTimeline() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/user_timeline.json", true)); } /** * Returns the most recent statuses posted in the last 24 hours from the * authenticating user. <br> * This method calls http://api.fanfou.com/statuses/user_timeline.format * * @param paging * controls pagination * @return the 20 most recent statuses posted in the last 24 hours from the * user * @throws HttpException * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getUserTimeline(Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/user_timeline.json", null, paging, true)); } public List<Status> getUserTimeline(int page, int count) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/user_timeline.json", null, new Paging(page, count), true)); } /** * Returns the 20 most recent mentions (status containing @username) for the * authenticating user. <br> * This method calls http://api.fanfou.com/statuses/mentions.format * * @return the 20 most recent replies * @throws HttpException * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getMentions() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/mentions.json", null, true)); } // by since_id public List<Status> getMentions(String since_id) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/mentions.json", "since_id", String.valueOf(since_id), true)); } /** * Returns the 20 most recent mentions (status containing @username) for the * authenticating user. <br> * This method calls http://api.fanfou.com/statuses/mentions.format * * @param paging * controls pagination * @return the 20 most recent replies * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getMentions(Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "statuses/mentions.json", null, paging, true)); } /** * Returns a single status, specified by the id parameter. The status's * author will be returned inline. <br> * This method calls http://api.fanfou.com/statuses/show/id.format * * @param id * the numerical ID of the status you're trying to retrieve * @return a single status * @throws HttpException * when Weibo service or network is unavailable. * 可能因为“你没有通过这个用户的验证“,返回403 * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public Status showStatus(String id) throws HttpException { return new Status(get(getBaseURL() + "statuses/show/" + id + ".json", true)); } /** * Updates the user's status. The text will be trimed if the length of the * text is exceeding 160 characters. <br> * This method calls http://api.fanfou.com/statuses/update.format * * @param status * the text of your status update * @return the latest status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public Status updateStatus(String status) throws HttpException { return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", status), new BasicNameValuePair("source", source)))); } /** * Updates the user's status. The text will be trimed if the length of the * text is exceeding 160 characters. <br> * 发布消息 http://api.fanfou.com/statuses/update.[json|xml] * * @param status * the text of your status update * @param latitude * The location's latitude that this tweet refers to. * @param longitude * The location's longitude that this tweet refers to. * @return the latest status * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public Status updateStatus(String status, double latitude, double longitude) throws HttpException, JSONException { return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", status), new BasicNameValuePair("source", source), new BasicNameValuePair("location", latitude + "," + longitude)))); } /** * Updates the user's status. 如果要使用inreplyToStatusId参数, 那么该status就必须得是@别人的. * The text will be trimed if the length of the text is exceeding 160 * characters. <br> * 发布消息 http://api.fanfou.com/statuses/update.[json|xml] * * @param status * the text of your status update * @param inReplyToStatusId * The ID of an existing status that the status to be posted is * in reply to. This implicitly sets the in_reply_to_user_id * attribute of the resulting status to the user ID of the * message being replied to. Invalid/missing status IDs will be * ignored. * @return the latest status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status updateStatus(String status, String inReplyToStatusId) throws HttpException { return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", status), new BasicNameValuePair("source", source), new BasicNameValuePair("in_reply_to_status_id", inReplyToStatusId)))); } /** * Updates the user's status. The text will be trimed if the length of the * text is exceeding 160 characters. <br> * 发布消息 http://api.fanfou.com/statuses/update.[json|xml] * * @param status * the text of your status update * @param inReplyToStatusId * The ID of an existing status that the status to be posted is * in reply to. This implicitly sets the in_reply_to_user_id * attribute of the resulting status to the user ID of the * message being replied to. Invalid/missing status IDs will be * ignored. * @param latitude * The location's latitude that this tweet refers to. * @param longitude * The location's longitude that this tweet refers to. * @return the latest status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status updateStatus(String status, String inReplyToStatusId, double latitude, double longitude) throws HttpException { return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", status), new BasicNameValuePair("source", source), new BasicNameValuePair("location", latitude + "," + longitude), new BasicNameValuePair( "in_reply_to_status_id", inReplyToStatusId)))); } /** * upload the photo. The text will be trimed if the length of the text is * exceeding 160 characters. The image suport. <br> * 上传照片 http://api.fanfou.com/photos/upload.[json|xml] * * @param status * the text of your status update * @return the latest status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status uploadPhoto(String status, File file) throws HttpException { return new Status(http.httpRequest( getBaseURL() + "photos/upload.json", createParams(new BasicNameValuePair("status", status), new BasicNameValuePair("source", source)), file, true, HttpPost.METHOD_NAME)); } public Status updateStatus(String status, File file) throws HttpException { return uploadPhoto(status, file); } /** * Destroys the status specified by the required ID parameter. The * authenticating user must be the author of the specified status. <br> * 删除消息 http://api.fanfou.com/statuses/destroy.[json|xml] * * @param statusId * The ID of the status to destroy. * @return the deleted status * @throws HttpException * when Weibo service or network is unavailable * @since 1.0.5 */ public Status destroyStatus(String statusId) throws HttpException { return new Status(http.post(getBaseURL() + "statuses/destroy/" + statusId + ".json", createParams(), true)); } /** * Returns extended information of a given user, specified by ID or screen * name as per the required id parameter below. This information includes * design settings, so third party developers can theme their widgets * according to a given user's preferences. <br> * This method calls http://api.fanfou.com/users/show.format * * @param id * (cann't be screenName the ID of the user for whom to request * the detail * @return User * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public User showUser(String id) throws HttpException { return new User(get(getBaseURL() + "users/show.json", createParams(new BasicNameValuePair("id", id)), true)); } /** * Return a status of repost * * @param to_user_name * repost status's user name * @param repost_status_id * repost status id * @param repost_status_text * repost status text * @param new_status * the new status text * @return a single status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status repost(String to_user_name, String repost_status_id, String repost_status_text, String new_status) throws HttpException { StringBuilder sb = new StringBuilder(); sb.append(new_status); sb.append(" "); sb.append(R.string.pref_rt_prefix_default + ":@"); sb.append(to_user_name); sb.append(" "); sb.append(repost_status_text); sb.append(" "); String message = sb.toString(); return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", message), new BasicNameValuePair("repost_status_id", repost_status_id)), true)); } /** * Return a status of repost * * @param to_user_name * repost status's user name * @param repost_status_id * repost status id * @param repost_status_text * repost status text * @param new_status * the new status text * @return a single status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status repost(String new_status, String repost_status_id) throws HttpException { return new Status(http.post( getBaseURL() + "statuses/update.json", createParams(new BasicNameValuePair("status", new_status), new BasicNameValuePair("source", CONSUMER_KEY), new BasicNameValuePair("repost_status_id", repost_status_id)), true)); } /** * Return a status of repost * * @param repost_status_id * repost status id * @param repost_status_text * repost status text * @return a single status * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public Status repost(String repost_status_id, String new_status, boolean tmp) throws HttpException { Status repost_to = showStatus(repost_status_id); String to_user_name = repost_to.getUser().getName(); String repost_status_text = repost_to.getText(); return repost(to_user_name, repost_status_id, repost_status_text, new_status); } /* User Methods */ /** * Returns the specified user's friends, each with current status inline. <br> * This method calls http://api.fanfou.com/statuses/friends.format * * @return the list of friends * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<User> getFriendsStatuses() throws HttpException { return User.constructResult(get(getBaseURL() + "users/friends.json", true)); } /** * Returns the specified user's friends, each with current status inline. <br> * This method calls http://api.fanfou.com/statuses/friends.format <br> * 分页每页显示100条 * * @param paging * controls pagination * @return the list of friends * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * */ public List<User> getFriendsStatuses(Paging paging) throws HttpException { return User.constructUsers(get(getBaseURL() + "users/friends.json", null, paging, true)); } /** * Returns the user's friends, each with current status inline. <br> * This method calls http://api.fanfou.com/statuses/friends.format * * @param id * the ID or screen name of the user for whom to request a list * of friends * @return the list of friends * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<User> getFriendsStatuses(String id) throws HttpException { return User.constructUsers(get(getBaseURL() + "users/friends.json", createParams(new BasicNameValuePair("id", id)), false)); } /** * Returns the user's friends, each with current status inline. <br> * This method calls http://api.fanfou.com/statuses/friends.format * * @param id * the ID or screen name of the user for whom to request a list * of friends * @param paging * controls pagination (饭否API 默认返回 100 条/页) * @return the list of friends * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<User> getFriendsStatuses(String id, Paging paging) throws HttpException { return User.constructUsers(get(getBaseURL() + "users/friends.json", createParams(new BasicNameValuePair("id", id)), paging, false)); } /** * Returns the authenticating user's followers, each with current status * inline. They are ordered by the order in which they joined Weibo (this is * going to be changed). <br> * This method calls http://api.fanfou.com/statuses/followers.format * * @return List * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<User> getFollowersStatuses() throws HttpException { return User.constructResult(get(getBaseURL() + "statuses/followers.json", true)); } /** * Returns the authenticating user's followers, each with current status * inline. They are ordered by the order in which they joined Weibo (this is * going to be changed). <br> * This method calls http://api.fanfou.com/statuses/followers.format * * @param paging * controls pagination * @return List * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<User> getFollowersStatuses(Paging paging) throws HttpException { return User.constructUsers(get( getBaseURL() + "statuses/followers.json", null, paging, true)); } /** * Returns the authenticating user's followers, each with current status * inline. They are ordered by the order in which they joined Weibo (this is * going to be changed). <br> * This method calls http://api.fanfou.com/statuses/followers.format * * @param id * The ID (not screen name) of the user for whom to request a * list of followers. * @return List * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<User> getFollowersStatuses(String id) throws HttpException { return User.constructUsers(get(getBaseURL() + "statuses/followers/" + id + ".json", true)); } /** * Returns the authenticating user's followers, each with current status * inline. They are ordered by the order in which they joined Weibo (this is * going to be changed). <br> * This method calls http://api.fanfou.com/statuses/followers.format * * @param id * The ID or screen name of the user for whom to request a list * of followers. * @param paging * controls pagination * @return List * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<User> getFollowersStatuses(String id, Paging paging) throws HttpException { return User.constructUsers(get(getBaseURL() + "statuses/followers/" + id + ".json", null, paging, true)); } /* 私信功能 */ /** * Sends a new direct message to the specified user from the authenticating * user. Requires both the user and text parameters below. The text will be * trimed if the length of the text is exceeding 140 characters. <br> * This method calls http://api.fanfou.com/direct_messages/new.format <br> * 通过客户端只能给互相关注的人发私信 * * @param id * the ID of the user to whom send the direct message * @param text * String * @return DirectMessage * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public DirectMessage sendDirectMessage(String id, String text) throws HttpException { return new DirectMessage(http.post( getBaseURL() + "direct_messages/new.json", createParams(new BasicNameValuePair("user", id), new BasicNameValuePair("text", text))).asJSONObject()); } // TODO: need be unit tested by in_reply_to_id. /** * Sends a new direct message to the specified user from the authenticating * user. Requires both the user and text parameters below. The text will be * trimed if the length of the text is exceeding 140 characters. <br> * 通过客户端只能给互相关注的人发私信 * * @param id * @param text * @param in_reply_to_id * @return * @throws HttpException */ public DirectMessage sendDirectMessage(String id, String text, String in_reply_to_id) throws HttpException { return new DirectMessage(http .post(getBaseURL() + "direct_messages/new.json", createParams(new BasicNameValuePair("user", id), new BasicNameValuePair("text", text), new BasicNameValuePair("is_reply_to_id", in_reply_to_id))).asJSONObject()); } /** * Destroys the direct message specified in the required ID parameter. The * authenticating user must be the recipient of the specified direct * message. <br> * This method calls http://api.fanfou.com/direct_messages/destroy/id.format * * @param id * the ID of the direct message to destroy * @return the deleted direct message * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public DirectMessage destroyDirectMessage(String id) throws HttpException { return new DirectMessage(http.post( getBaseURL() + "direct_messages/destroy/" + id + ".json", true) .asJSONObject()); } /** * Returns a list of the direct messages sent to the authenticating user. <br> * This method calls http://api.fanfou.com/direct_messages.format * * @return List * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<DirectMessage> getDirectMessages() throws HttpException { return DirectMessage.constructDirectMessages(get(getBaseURL() + "direct_messages.json", true)); } /** * Returns a list of the direct messages sent to the authenticating user. <br> * This method calls http://api.fanfou.com/direct_messages.format * * @param paging * controls pagination * @return List * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<DirectMessage> getDirectMessages(Paging paging) throws HttpException { return DirectMessage.constructDirectMessages(get(getBaseURL() + "direct_messages.json", null, paging, true)); } /** * Returns a list of the direct messages sent by the authenticating user. <br> * This method calls http://api.fanfou.com/direct_messages/sent.format * * @return List * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<DirectMessage> getSentDirectMessages() throws HttpException { return DirectMessage.constructDirectMessages(get(getBaseURL() + "direct_messages/sent.json", null, true)); } /** * Returns a list of the direct messages sent by the authenticating user. <br> * This method calls http://api.fanfou.com/direct_messages/sent.format * * @param paging * controls pagination * @return List 默认返回20条, 一次最多返回60条 * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<DirectMessage> getSentDirectMessages(Paging paging) throws HttpException { return DirectMessage.constructDirectMessages(get(getBaseURL() + "direct_messages/sent.json", null, paging, true)); } /* 收藏功能 */ /** * Returns the 20 most recent favorite statuses for the authenticating user * or user specified by the ID parameter in the requested format. * * @return List<Status> * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getFavorites() throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites.json", createParams(), true)); } public List<Status> getFavorites(Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites.json", createParams(), paging, true)); } /** * Returns the 20 most recent favorite statuses for the authenticating user * or user specified by the ID parameter in the requested format. * * @param page * the number of page * @return List<Status> * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getFavorites(int page) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites.json", "page", String.valueOf(page), true)); } /** * Returns the 20 most recent favorite statuses for the authenticating user * or user specified by the ID parameter in the requested format. * * @param id * the ID or screen name of the user for whom to request a list * of favorite statuses * @return List<Status> * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> * @since fanfoudroid 0.5.0 */ public List<Status> getFavorites(String id) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites/" + id + ".json", createParams(), true)); } /** * Returns the 20 most recent favorite statuses for the authenticating user * or user specified by the ID parameter in the requested format. * * @param id * the ID or screen name of the user for whom to request a list * of favorite statuses * @param page * the number of page * @return List<Status> * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public List<Status> getFavorites(String id, int page) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites/" + id + ".json", "page", String.valueOf(page), true)); } public List<Status> getFavorites(String id, Paging paging) throws HttpException { return Status.constructStatuses(get(getBaseURL() + "favorites/" + id + ".json", null, paging, true)); } /** * Favorites the status specified in the ID parameter as the authenticating * user. Returns the favorite status when successful. * * @param id * the ID of the status to favorite * @return Status * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public Status createFavorite(String id) throws HttpException { return new Status(http.post(getBaseURL() + "favorites/create/" + id + ".json", true)); } /** * Un-favorites the status specified in the ID parameter as the * authenticating user. Returns the un-favorited status in the requested * format when successful. * * @param id * the ID of the status to un-favorite * @return Status * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public Status destroyFavorite(String id) throws HttpException { return new Status(http.post(getBaseURL() + "favorites/destroy/" + id + ".json", true)); } /** * Enables notifications for updates from the specified user to the * authenticating user. Returns the specified user when successful. * * @param id * String * @return User * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @deprecated 饭否该功能暂时关闭, 等待该功能开放. */ public User enableNotification(String id) throws HttpException { return new User(http.post( getBaseURL() + "notifications/follow/" + id + ".json", true) .asJSONObject()); } /** * Disables notifications for updates from the specified user to the * authenticating user. Returns the specified user when successful. * * @param id * String * @return User * @throws HttpException * when Weibo service or network is unavailable * @deprecated 饭否该功能暂时关闭, 等待该功能开放. * @since fanfoudroid 0.5.0 */ public User disableNotification(String id) throws HttpException { return new User(http.post( getBaseURL() + "notifications/leave/" + id + ".json", true) .asJSONObject()); } /* 黑名单 */ /** * Blocks the user specified in the ID parameter as the authenticating user. * Returns the blocked user in the requested format when successful. * * @param id * the ID or screen_name of the user to block * @return the blocked user * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public User createBlock(String id) throws HttpException { return new User(http.post( getBaseURL() + "blocks/create/" + id + ".json", true) .asJSONObject()); } /** * Un-blocks the user specified in the ID parameter as the authenticating * user. Returns the un-blocked user in the requested format when * successful. * * @param id * the ID or screen_name of the user to block * @return the unblocked user * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public User destroyBlock(String id) throws HttpException { return new User(http.post( getBaseURL() + "blocks/destroy/" + id + ".json", true) .asJSONObject()); } /** * Tests if a friendship exists between two users. * * @param id * The ID or screen_name of the potentially blocked user. * @return if the authenticating user is blocking a target user * @throws HttpException * when Weibo service or network is unavailable * @deprecated 饭否暂无此功能, 期待此功能 * @since fanfoudroid 0.5.0 */ public boolean existsBlock(String id) throws HttpException { try { return -1 == get(getBaseURL() + "blocks/exists/" + id + ".json", true).asString().indexOf( "<error>You are not blocking this user.</error>"); } catch (HttpException te) { if (te.getStatusCode() == 404) { return false; } throw te; } } /** * Returns a list of user objects that the authenticating user is blocking. * * @return a list of user objects that the authenticating user * @throws HttpException * when Weibo service or network is unavailable * @deprecated 饭否暂无此功能, 期待此功能 * @since fanfoudroid 0.5.0 */ public List<User> getBlockingUsers() throws HttpException { return User.constructUsers(get(getBaseURL() + "blocks/blocking.json", true)); } /** * Returns a list of user objects that the authenticating user is blocking. * * @param page * the number of page * @return a list of user objects that the authenticating user * @throws HttpException * when Weibo service or network is unavailable * @deprecated 饭否暂无此功能, 期待此功能 * @since fanfoudroid 0.5.0 */ public List<User> getBlockingUsers(int page) throws HttpException { return User.constructUsers(get(getBaseURL() + "blocks/blocking.json?page=" + page, true)); } /** * Returns an array of numeric user ids the authenticating user is blocking. * * @return Returns an array of numeric user ids the authenticating user is * blocking. * @throws HttpException * when Weibo service or network is unavailable * @deprecated 饭否暂无此功能, 期待此功能 * @since fanfoudroid 0.5.0 */ public IDs getBlockingUsersIDs() throws HttpException { return new IDs(get(getBaseURL() + "blocks/blocking/ids.json", true), this); } /* 好友关系方法 */ /** * Tests if a friendship exists between two users. * * @param userA * The ID or screen_name of the first user to test friendship * for. * @param userB * The ID or screen_name of the second user to test friendship * for. * @return if a friendship exists between two users. * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public boolean existsFriendship(String userA, String userB) throws HttpException { return -1 != get(getBaseURL() + "friendships/exists.json", "user_a", userA, "user_b", userB, true).asString().indexOf("true"); } /** * Discontinues friendship with the user specified in the ID parameter as * the authenticating user. Returns the un-friended user in the requested * format when successful. Returns a string describing the failure condition * when unsuccessful. * * @param id * the ID or screen name of the user for whom to request a list * of friends * @return User * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public User destroyFriendship(String id) throws HttpException { return new User(http.post( getBaseURL() + "friendships/destroy/" + id + ".json", createParams(), true).asJSONObject()); } /** * Befriends the user specified in the ID parameter as the authenticating * user. Returns the befriended user in the requested format when * successful. Returns a string describing the failure condition when * unsuccessful. * * @param id * the ID or screen name of the user to be befriended * @return the befriended user * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public User createFriendship(String id) throws HttpException { return new User(http.post( getBaseURL() + "friendships/create/" + id + ".json", createParams(), true).asJSONObject()); } /** * Returns an array of numeric IDs for every user the specified user is * followed by. * * @param userId * Specifies the ID of the user for whom to return the followers * list. * @param cursor * Specifies the page number of the results beginning at 1. A * single page contains 5000 ids. This is recommended for users * with large ID lists. If not provided all ids are returned. * @return The ID or screen_name of the user to retrieve the friends ID list * for. * @throws HttpException * when Weibo service or network is unavailable * @since Weibo4J 2.0.10 * @see <a * href="http://open.t.sina.com.cn/wiki/index.php/Followers/ids">followers/ids * </a> */ public IDs getFollowersIDs(String userId) throws HttpException { return new IDs(get(getBaseURL() + "followers/ids.json?user_id=" + userId, true), this); } /** * Returns an array of numeric IDs for every user the specified user is * followed by. * * @param cursor * Specifies the page number of the results beginning at 1. A * single page contains 5000 ids. This is recommended for users * with large ID lists. If not provided all ids are returned. * @return The ID or screen_name of the user to retrieve the friends ID list * for. * @throws HttpException * when Weibo service or network is unavailable * @since Weibo4J 2.0.10 * @see <a * href="http://open.t.sina.com.cn/wiki/index.php/Followers/ids">followers/ids * </a> */ public IDs getFollowersIDs() throws HttpException { return new IDs(get(getBaseURL() + "followers/ids.json", true), this); } public List<com.ch_linghu.fanfoudroid.fanfou.User> getFollowersList( String userId, Paging paging) throws HttpException { return User.constructUsers(get(getBaseURL() + "users/followers.json", createParams(new BasicNameValuePair("id", userId)), paging, false)); } public List<com.ch_linghu.fanfoudroid.fanfou.User> getFollowersList( String userId) throws HttpException { return User.constructUsers(get(getBaseURL() + "users/followers.json", createParams(new BasicNameValuePair("id", userId)), false)); } /** * Returns an array of numeric IDs for every user the authenticating user is * following. * * @return an array of numeric IDs for every user the authenticating user is * following * @throws HttpException * when Weibo service or network is unavailable * @since androidroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public IDs getFriendsIDs() throws HttpException { return getFriendsIDs(-1l); } /** * Returns an array of numeric IDs for every user the authenticating user is * following. <br/> * 饭否无cursor参数 * * @param cursor * Specifies the page number of the results beginning at 1. A * single page contains 5000 ids. This is recommended for users * with large ID lists. If not provided all ids are returned. * @return an array of numeric IDs for every user the authenticating user is * following * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public IDs getFriendsIDs(long cursor) throws HttpException { return new IDs(get(getBaseURL() + "friends/ids.json?cursor=" + cursor, true), this); } /** * 获取关注者id列表 * * @param userId * @return * @throws HttpException */ public IDs getFriendsIDs(String userId) throws HttpException { return new IDs( get(getBaseURL() + "friends/ids.json?id=" + userId, true), this); } /* 账户方法 */ /** * Returns an HTTP 200 OK response code and a representation of the * requesting user if authentication was successful; returns a 401 status * code and an error message if not. Use this method to test if supplied * user credentials are valid. 注意: 如果使用 错误的用户名/密码 多次登录后,饭否会锁IP * 返回提示为“尝试次数过多,请去 http://fandou.com 登录“,且需输入验证码 * * 登录成功返回 200 code 登录失败返回 401 code 使用HttpException的getStatusCode取得code * * @return user * @since androidroid 0.5.0 * @throws HttpException * when Weibo service or network is unavailable * @see <a * href="http://code.google.com/p/fanfou-api/wiki/ApiDocumentation"</a> */ public User verifyCredentials() throws HttpException { return new User(get(getBaseURL() + "account/verify_credentials.json", true).asJSONObject()); } /* Saved Searches Methods */ /** * Returns the authenticated user's saved search queries. * * @return Returns an array of numeric user ids the authenticating user is * blocking. * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public List<SavedSearch> getSavedSearches() throws HttpException { return SavedSearch.constructSavedSearches(get(getBaseURL() + "saved_searches.json", true)); } /** * Retrieve the data for a saved search owned by the authenticating user * specified by the given id. * * @param id * The id of the saved search to be retrieved. * @return the data for a saved search * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public SavedSearch showSavedSearch(int id) throws HttpException { return new SavedSearch(get(getBaseURL() + "saved_searches/show/" + id + ".json", true)); } /** * Retrieve the data for a saved search owned by the authenticating user * specified by the given id. * * @return the data for a created saved search * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public SavedSearch createSavedSearch(String query) throws HttpException { return new SavedSearch(http.post(getBaseURL() + "saved_searches/create.json", createParams(new BasicNameValuePair("query", query)), true)); } /** * Destroys a saved search for the authenticated user. The search specified * by id must be owned by the authenticating user. * * @param id * The id of the saved search to be deleted. * @return the data for a destroyed saved search * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public SavedSearch destroySavedSearch(int id) throws HttpException { return new SavedSearch(http.post(getBaseURL() + "saved_searches/destroy/" + id + ".json", true)); } /* Help Methods */ /** * Returns the string "ok" in the requested format with a 200 OK HTTP status * code. * * @return true if the API is working * @throws HttpException * when Weibo service or network is unavailable * @since fanfoudroid 0.5.0 */ public boolean test() throws HttpException { return -1 != get(getBaseURL() + "help/test.json", false).asString() .indexOf("ok"); } /***************** API METHOD END *********************/ private SimpleDateFormat format = new SimpleDateFormat( "EEE, d MMM yyyy HH:mm:ss z", Locale.US); @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; Weibo weibo = (Weibo) o; if (!baseURL.equals(weibo.baseURL)) return false; if (!format.equals(weibo.format)) return false; if (!http.equals(weibo.http)) return false; if (!searchBaseURL.equals(weibo.searchBaseURL)) return false; if (!source.equals(weibo.source)) return false; return true; } @Override public int hashCode() { int result = http.hashCode(); result = 31 * result + baseURL.hashCode(); result = 31 * result + searchBaseURL.hashCode(); result = 31 * result + source.hashCode(); result = 31 * result + format.hashCode(); return result; } @Override public String toString() { return "Weibo{" + "http=" + http + ", baseURL='" + baseURL + '\'' + ", searchBaseURL='" + searchBaseURL + '\'' + ", source='" + source + '\'' + ", format=" + format + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Weibo.java
Java
asf20
60,114
/* * UserObjectWapper.java created on 2010-7-28 上午08:48:35 by bwl (Liu Daoru) */ package com.ch_linghu.fanfoudroid.fanfou; import java.io.Serializable; import java.util.List; /** * 对User对象列表进行的包装,以支持cursor相关信息传递 * * @author liudaoru - daoru at sina.com.cn */ public class UserWapper implements Serializable { private static final long serialVersionUID = -3119107701303920284L; /** * 用户对象列表 */ private List<User> users; /** * 向前翻页的cursor */ private long previousCursor; /** * 向后翻页的cursor */ private long nextCursor; public UserWapper(List<User> users, long previousCursor, long nextCursor) { this.users = users; this.previousCursor = previousCursor; this.nextCursor = nextCursor; } public List<User> getUsers() { return users; } public void setUsers(List<User> users) { this.users = users; } public long getPreviousCursor() { return previousCursor; } public void setPreviousCursor(long previousCursor) { this.previousCursor = previousCursor; } public long getNextCursor() { return nextCursor; } public void setNextCursor(long nextCursor) { this.nextCursor = nextCursor; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/UserWapper.java
Java
asf20
1,286
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import org.json.JSONException; import org.json.JSONObject; import com.ch_linghu.fanfoudroid.http.HttpException; /** * A data class representing Basic user information element */ public class Photo extends WeiboResponse implements java.io.Serializable { private Weibo weibo; private String thumbnail_pic; private String bmiddle_pic; private String original_pic; private boolean verified; private static final long serialVersionUID = -6345893237975349030L; public Photo(JSONObject json) throws HttpException { super(); init(json); } private void init(JSONObject json) throws HttpException { try { // System.out.println(json); thumbnail_pic = json.getString("thumburl"); bmiddle_pic = json.getString("imageurl"); original_pic = json.getString("largeurl"); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + json.toString(), jsone); } } public String getThumbnail_pic() { return thumbnail_pic; } public void setThumbnail_pic(String thumbnail_pic) { this.thumbnail_pic = thumbnail_pic; } public String getBmiddle_pic() { return bmiddle_pic; } public void setBmiddle_pic(String bmiddle_pic) { this.bmiddle_pic = bmiddle_pic; } public String getOriginal_pic() { return original_pic; } public void setOriginal_pic(String original_pic) { this.original_pic = original_pic; } @Override public String toString() { return "Photo [thumbnail_pic=" + thumbnail_pic + ", bmiddle_pic=" + bmiddle_pic + ", original_pic=" + original_pic + "]"; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Photo.java
Java
asf20
3,073
/* Copyright (c) 2007-2009 All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import org.apache.http.message.BasicNameValuePair; /** * A data class represents search query. */ public class Query { private String query = null; private String lang = null; private int rpp = -1; private int page = -1; private long sinceId = -1; private String maxId = null; private String geocode = null; public Query() { } public Query(String query) { this.query = query; } public String getQuery() { return query; } /** * Sets the query string * * @param query * - the query string */ public void setQuery(String query) { this.query = query; } public String getLang() { return lang; } /** * restricts tweets to the given language, given by an <a * href="http://en.wikipedia.org/wiki/ISO_639-1">ISO 639-1 code</a> * * @param lang * an <a href="http://en.wikipedia.org/wiki/ISO_639-1">ISO 639-1 * code</a> */ public void setLang(String lang) { this.lang = lang; } public int getRpp() { return rpp; } /** * sets the number of tweets to return per page, up to a max of 100 * * @param rpp * the number of tweets to return per page */ public void setRpp(int rpp) { this.rpp = rpp; } public int getPage() { return page; } /** * sets the page number (starting at 1) to return, up to a max of roughly * 1500 results * * @param page * - the page number (starting at 1) to return */ public void setPage(int page) { this.page = page; } public long getSinceId() { return sinceId; } /** * returns tweets with status ids greater than the given id. * * @param sinceId * - returns tweets with status ids greater than the given id */ public void setSinceId(long sinceId) { this.sinceId = sinceId; } public String getMaxId() { return maxId; } /** * returns tweets with status ids less than the given id. * * @param maxId * - returns tweets with status ids less than the given id */ public void setMaxId(String maxId) { this.maxId = maxId; } public String getGeocode() { return geocode; } public static final String MILES = "mi"; public static final String KILOMETERS = "km"; /** * returns tweets by users located within a given radius of the given * latitude/longitude, where the user's location is taken from their Weibo * profile * * @param latitude * latitude * @param longtitude * longtitude * @param radius * radius * @param unit * Query.MILES or Query.KILOMETERS */ public void setGeoCode(double latitude, double longtitude, double radius, String unit) { this.geocode = latitude + "," + longtitude + "," + radius + unit; } public ArrayList<BasicNameValuePair> asPostParameters() { ArrayList<BasicNameValuePair> params = new ArrayList<BasicNameValuePair>(); appendParameter("q", query, params); appendParameter("lang", lang, params); appendParameter("page", page, params); appendParameter("since_id", sinceId, params); appendParameter("max_id", maxId, params); appendParameter("geocode", geocode, params); return params; } private void appendParameter(String name, String value, ArrayList<BasicNameValuePair> params) { if (null != value) { params.add(new BasicNameValuePair(name, value)); } } private void appendParameter(String name, long value, ArrayList<BasicNameValuePair> params) { if (0 <= value) { params.add(new BasicNameValuePair(name, value + "")); } } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; Query query1 = (Query) o; if (page != query1.page) return false; if (rpp != query1.rpp) return false; if (sinceId != query1.sinceId) return false; if (geocode != null ? !geocode.equals(query1.geocode) : query1.geocode != null) return false; if (lang != null ? !lang.equals(query1.lang) : query1.lang != null) return false; if (query != null ? !query.equals(query1.query) : query1.query != null) return false; return true; } @Override public int hashCode() { int result = query != null ? query.hashCode() : 0; result = 31 * result + (lang != null ? lang.hashCode() : 0); result = 31 * result + rpp; result = 31 * result + page; result = 31 * result + (int) (sinceId ^ (sinceId >>> 32)); result = 31 * result + (geocode != null ? geocode.hashCode() : 0); return result; } @Override public String toString() { return "Query{" + "query='" + query + '\'' + ", lang='" + lang + '\'' + ", rpp=" + rpp + ", page=" + page + ", sinceId=" + sinceId + ", geocode='" + geocode + '\'' + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Query.java
Java
asf20
6,257
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.io.UnsupportedEncodingException; import java.net.URLDecoder; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; import java.util.HashMap; import java.util.Locale; import java.util.Map; import java.util.TimeZone; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.Node; import org.w3c.dom.NodeList; import com.ch_linghu.fanfoudroid.http.HTMLEntity; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * Super class of Weibo Response objects. * * @see weibo4j.DirectMessage * @see weibo4j.Status * @see weibo4j.User * @author Yusuke Yamamoto - yusuke at mac.com */ public class WeiboResponse implements java.io.Serializable { private static Map<String, SimpleDateFormat> formatMap = new HashMap<String, SimpleDateFormat>(); private static final long serialVersionUID = 3519962197957449562L; private transient int rateLimitLimit = -1; private transient int rateLimitRemaining = -1; private transient long rateLimitReset = -1; public WeiboResponse() { } public WeiboResponse(Response res) { } protected static void ensureRootNodeNameIs(String rootName, Element elem) throws HttpException { if (!rootName.equals(elem.getNodeName())) { throw new HttpException( "Unexpected root node name:" + elem.getNodeName() + ". Expected:" + rootName + ". Check the availability of the Weibo API at http://open.t.sina.com.cn/."); } } protected static void ensureRootNodeNameIs(String[] rootNames, Element elem) throws HttpException { String actualRootName = elem.getNodeName(); for (String rootName : rootNames) { if (rootName.equals(actualRootName)) { return; } } String expected = ""; for (int i = 0; i < rootNames.length; i++) { if (i != 0) { expected += " or "; } expected += rootNames[i]; } throw new HttpException( "Unexpected root node name:" + elem.getNodeName() + ". Expected:" + expected + ". Check the availability of the Weibo API at http://open.t.sina.com.cn/."); } protected static void ensureRootNodeNameIs(String rootName, Document doc) throws HttpException { Element elem = doc.getDocumentElement(); if (!rootName.equals(elem.getNodeName())) { throw new HttpException( "Unexpected root node name:" + elem.getNodeName() + ". Expected:" + rootName + ". Check the availability of the Weibo API at http://open.t.sina.com.cn/"); } } protected static boolean isRootNodeNilClasses(Document doc) { String root = doc.getDocumentElement().getNodeName(); return "nil-classes".equals(root) || "nilclasses".equals(root); } protected static String getChildText(String str, Element elem) { return HTMLEntity.unescape(getTextContent(str, elem)); } protected static String getTextContent(String str, Element elem) { NodeList nodelist = elem.getElementsByTagName(str); if (nodelist.getLength() > 0) { Node node = nodelist.item(0).getFirstChild(); if (null != node) { String nodeValue = node.getNodeValue(); return null != nodeValue ? nodeValue : ""; } } return ""; } /* modify by sycheng add "".equals(str) */ protected static int getChildInt(String str, Element elem) { String str2 = getTextContent(str, elem); if (null == str2 || "".equals(str2) || "null".equals(str)) { return -1; } else { return Integer.valueOf(str2); } } /* modify by sycheng add "".equals(str) */ protected static String getChildString(String str, Element elem) { String str2 = getTextContent(str, elem); if (null == str2 || "".equals(str2) || "null".equals(str)) { return ""; } else { return String.valueOf(str2); } } protected static long getChildLong(String str, Element elem) { String str2 = getTextContent(str, elem); if (null == str2 || "".equals(str2) || "null".equals(str)) { return -1; } else { return Long.valueOf(str2); } } protected static String getString(String name, JSONObject json, boolean decode) { String returnValue = null; try { returnValue = json.getString(name); if (decode) { try { returnValue = URLDecoder.decode(returnValue, "UTF-8"); } catch (UnsupportedEncodingException ignore) { } } } catch (JSONException ignore) { // refresh_url could be missing } return returnValue; } protected static boolean getChildBoolean(String str, Element elem) { String value = getTextContent(str, elem); return Boolean.valueOf(value); } protected static Date getChildDate(String str, Element elem) throws HttpException { return getChildDate(str, elem, "EEE MMM d HH:mm:ss z yyyy"); } protected static Date getChildDate(String str, Element elem, String format) throws HttpException { return parseDate(getChildText(str, elem), format); } protected static Date parseDate(String str, String format) throws HttpException { if (str == null || "".equals(str)) { return null; } SimpleDateFormat sdf = formatMap.get(format); if (null == sdf) { sdf = new SimpleDateFormat(format, Locale.US); sdf.setTimeZone(TimeZone.getTimeZone("GMT")); formatMap.put(format, sdf); } try { synchronized (sdf) { // SimpleDateFormat is not thread safe return sdf.parse(str); } } catch (ParseException pe) { throw new HttpException("Unexpected format(" + str + ") returned from sina.com.cn"); } } protected static int getInt(String key, JSONObject json) throws JSONException { String str = json.getString(key); if (null == str || "".equals(str) || "null".equals(str)) { return -1; } return Integer.parseInt(str); } protected static String getString(String key, JSONObject json) throws JSONException { String str = json.getString(key); if (null == str || "".equals(str) || "null".equals(str)) { return ""; } return String.valueOf(str); } protected static long getLong(String key, JSONObject json) throws JSONException { String str = json.getString(key); if (null == str || "".equals(str) || "null".equals(str)) { return -1; } return Long.parseLong(str); } protected static boolean getBoolean(String key, JSONObject json) throws JSONException { String str = json.getString(key); if (null == str || "".equals(str) || "null".equals(str)) { return false; } return Boolean.valueOf(str); } public int getRateLimitLimit() { return rateLimitLimit; } public int getRateLimitRemaining() { return rateLimitRemaining; } public long getRateLimitReset() { return rateLimitReset; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/WeiboResponse.java
Java
asf20
8,202
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing a Saved Search * * @author Yusuke Yamamoto - yusuke at mac.com * @since Weibo4J 2.0.8 */ public class SavedSearch extends WeiboResponse { private Date createdAt; private String query; private int position; private String name; private int id; private static final long serialVersionUID = 3083819860391598212L; /* package */SavedSearch(Response res) throws HttpException { super(res); init(res.asJSONObject()); } /* package */SavedSearch(Response res, JSONObject json) throws HttpException { super(res); init(json); } /* package */SavedSearch(JSONObject savedSearch) throws HttpException { init(savedSearch); } /* package */static List<SavedSearch> constructSavedSearches(Response res) throws HttpException { JSONArray json = res.asJSONArray(); List<SavedSearch> savedSearches; try { savedSearches = new ArrayList<SavedSearch>(json.length()); for (int i = 0; i < json.length(); i++) { savedSearches.add(new SavedSearch(res, json.getJSONObject(i))); } return savedSearches; } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + res.asString(), jsone); } } private void init(JSONObject savedSearch) throws HttpException { try { createdAt = parseDate(savedSearch.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); query = getString("query", savedSearch, true); name = getString("name", savedSearch, true); id = getInt("id", savedSearch); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + savedSearch.toString(), jsone); } } public Date getCreatedAt() { return createdAt; } public String getQuery() { return query; } public int getPosition() { return position; } public String getName() { return name; } public int getId() { return id; } @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof SavedSearch)) return false; SavedSearch that = (SavedSearch) o; if (id != that.id) return false; if (position != that.position) return false; if (!createdAt.equals(that.createdAt)) return false; if (!name.equals(that.name)) return false; if (!query.equals(that.query)) return false; return true; } @Override public int hashCode() { int result = createdAt.hashCode(); result = 31 * result + query.hashCode(); result = 31 * result + position; result = 31 * result + name.hashCode(); result = 31 * result + id; return result; } @Override public String toString() { return "SavedSearch{" + "createdAt=" + createdAt + ", query='" + query + '\'' + ", position=" + position + ", name='" + name + '\'' + ", id=" + id + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/SavedSearch.java
Java
asf20
4,541
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.NodeList; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing sent/received direct message. * * @author Yusuke Yamamoto - yusuke at mac.com */ public class DirectMessage extends WeiboResponse implements java.io.Serializable { private String id; private String text; private String sender_id; private String recipient_id; private Date created_at; private String sender_screen_name; private String recipient_screen_name; private static final long serialVersionUID = -3253021825891789737L; /* package */DirectMessage(Response res, Weibo weibo) throws HttpException { super(res); init(res, res.asDocument().getDocumentElement(), weibo); } /* package */DirectMessage(Response res, Element elem, Weibo weibo) throws HttpException { super(res); init(res, elem, weibo); } /* modify by sycheng add json call */ /* package */DirectMessage(JSONObject json) throws HttpException { try { id = json.getString("id"); text = json.getString("text"); sender_id = json.getString("sender_id"); recipient_id = json.getString("recipient_id"); created_at = parseDate(json.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); sender_screen_name = json.getString("sender_screen_name"); recipient_screen_name = json.getString("recipient_screen_name"); if (!json.isNull("sender")) sender = new User(json.getJSONObject("sender")); if (!json.isNull("recipient")) recipient = new User(json.getJSONObject("recipient")); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + json.toString(), jsone); } } private void init(Response res, Element elem, Weibo weibo) throws HttpException { ensureRootNodeNameIs("direct_message", elem); sender = new User(res, (Element) elem.getElementsByTagName("sender") .item(0), weibo); recipient = new User(res, (Element) elem.getElementsByTagName( "recipient").item(0), weibo); id = getChildString("id", elem); text = getChildText("text", elem); sender_id = getChildString("sender_id", elem); recipient_id = getChildString("recipient_id", elem); created_at = getChildDate("created_at", elem); sender_screen_name = getChildText("sender_screen_name", elem); recipient_screen_name = getChildText("recipient_screen_name", elem); } public String getId() { return id; } public String getText() { return text; } public String getSenderId() { return sender_id; } public String getRecipientId() { return recipient_id; } /** * @return created_at * @since Weibo4J 1.1.0 */ public Date getCreatedAt() { return created_at; } public String getSenderScreenName() { return sender_screen_name; } public String getRecipientScreenName() { return recipient_screen_name; } private User sender; public User getSender() { return sender; } private User recipient; public User getRecipient() { return recipient; } /* package */ static List<DirectMessage> constructDirectMessages(Response res, Weibo weibo) throws HttpException { Document doc = res.asDocument(); if (isRootNodeNilClasses(doc)) { return new ArrayList<DirectMessage>(0); } else { try { ensureRootNodeNameIs("direct-messages", doc); NodeList list = doc.getDocumentElement().getElementsByTagName( "direct_message"); int size = list.getLength(); List<DirectMessage> messages = new ArrayList<DirectMessage>( size); for (int i = 0; i < size; i++) { Element status = (Element) list.item(i); messages.add(new DirectMessage(res, status, weibo)); } return messages; } catch (HttpException te) { if (isRootNodeNilClasses(doc)) { return new ArrayList<DirectMessage>(0); } else { throw te; } } } } /* package */ static List<DirectMessage> constructDirectMessages(Response res) throws HttpException { JSONArray list = res.asJSONArray(); try { int size = list.length(); List<DirectMessage> messages = new ArrayList<DirectMessage>(size); for (int i = 0; i < size; i++) { messages.add(new DirectMessage(list.getJSONObject(i))); } return messages; } catch (JSONException jsone) { throw new HttpException(jsone); } } @Override public int hashCode() { return id.hashCode(); } @Override public boolean equals(Object obj) { if (null == obj) { return false; } if (this == obj) { return true; } return obj instanceof DirectMessage && ((DirectMessage) obj).id.equals(this.id); } @Override public String toString() { return "DirectMessage{" + "id=" + id + ", text='" + text + '\'' + ", sender_id=" + sender_id + ", recipient_id=" + recipient_id + ", created_at=" + created_at + ", sender_screen_name='" + sender_screen_name + '\'' + ", recipient_screen_name='" + recipient_screen_name + '\'' + ", sender=" + sender + ", recipient=" + recipient + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/DirectMessage.java
Java
asf20
6,727
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import com.ch_linghu.fanfoudroid.http.HttpClient; /** * @author Yusuke Yamamoto - yusuke at mac.com */ /* protected */class WeiboSupport { protected HttpClient http = null; protected String source = Configuration.getSource(); protected final boolean USE_SSL; /* package */WeiboSupport() { USE_SSL = Configuration.useSSL(); http = new HttpClient(); // In case that the user is not logged in } /* package */WeiboSupport(String userId, String password) { USE_SSL = Configuration.useSSL(); http = new HttpClient(userId, password); } /** * Returns authenticating userid * * @return userid */ public String getUserId() { return http.getUserId(); } /** * Returns authenticating password * * @return password */ public String getPassword() { return http.getPassword(); } // Low-level interface public HttpClient getHttpClient() { return http; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/WeiboSupport.java
Java
asf20
2,420
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.net.MalformedURLException; import java.net.URL; import java.text.ParseException; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.Node; import org.w3c.dom.NodeList; import android.database.Cursor; import android.util.Log; import com.ch_linghu.fanfoudroid.db.MessageTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.db.UserInfoTable; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing Basic user information element */ public class User extends WeiboResponse implements java.io.Serializable { static final String[] POSSIBLE_ROOT_NAMES = new String[] { "user", "sender", "recipient", "retweeting_user" }; private Weibo weibo; private String id; private String name; private String screenName; private String location; private String description; private String birthday; private String gender; private String profileImageUrl; private String url; private boolean isProtected; private int followersCount; private Date statusCreatedAt; private String statusId = ""; private String statusText = null; private String statusSource = null; private boolean statusTruncated = false; private String statusInReplyToStatusId = ""; private String statusInReplyToUserId = ""; private boolean statusFavorited = false; private String statusInReplyToScreenName = null; private String profileBackgroundColor; private String profileTextColor; private String profileLinkColor; private String profileSidebarFillColor; private String profileSidebarBorderColor; private int friendsCount; private Date createdAt; private int favouritesCount; private int utcOffset; private String timeZone; private String profileBackgroundImageUrl; private String profileBackgroundTile; private boolean following; private boolean notificationEnabled; private int statusesCount; private boolean geoEnabled; private boolean verified; private static final long serialVersionUID = -6345893237975349030L; /* package */User(Response res, Weibo weibo) throws HttpException { super(res); Element elem = res.asDocument().getDocumentElement(); init(elem, weibo); } /* package */public User(Response res, Element elem, Weibo weibo) throws HttpException { super(res); init(elem, weibo); } /* package */public User(JSONObject json) throws HttpException { super(); init(json); } /* package */User(Response res) throws HttpException { super(); init(res.asJSONObject()); } User() { } private void init(JSONObject json) throws HttpException { try { id = json.getString("id"); name = json.getString("name"); screenName = json.getString("screen_name"); location = json.getString("location"); gender = json.getString("gender"); birthday = json.getString("birthday"); description = json.getString("description"); profileImageUrl = json.getString("profile_image_url"); url = json.getString("url"); isProtected = json.getBoolean("protected"); followersCount = json.getInt("followers_count"); profileBackgroundColor = json.getString("profile_background_color"); profileTextColor = json.getString("profile_text_color"); profileLinkColor = json.getString("profile_link_color"); profileSidebarFillColor = json .getString("profile_sidebar_fill_color"); profileSidebarBorderColor = json .getString("profile_sidebar_border_color"); friendsCount = json.getInt("friends_count"); createdAt = parseDate(json.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); favouritesCount = json.getInt("favourites_count"); utcOffset = getInt("utc_offset", json); // timeZone = json.getString("time_zone"); profileBackgroundImageUrl = json .getString("profile_background_image_url"); profileBackgroundTile = json.getString("profile_background_tile"); following = getBoolean("following", json); notificationEnabled = getBoolean("notifications", json); statusesCount = json.getInt("statuses_count"); if (!json.isNull("status")) { JSONObject status = json.getJSONObject("status"); statusCreatedAt = parseDate(status.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); statusId = status.getString("id"); statusText = status.getString("text"); statusSource = status.getString("source"); statusTruncated = status.getBoolean("truncated"); // statusInReplyToStatusId = // status.getString("in_reply_to_status_id"); statusInReplyToStatusId = status .getString("in_reply_to_lastmsg_id"); // 饭否不知为什么把这个参数的名称改了 statusInReplyToUserId = status.getString("in_reply_to_user_id"); statusFavorited = status.getBoolean("favorited"); statusInReplyToScreenName = status .getString("in_reply_to_screen_name"); } } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + json.toString(), jsone); } } private void init(Element elem, Weibo weibo) throws HttpException { this.weibo = weibo; ensureRootNodeNameIs(POSSIBLE_ROOT_NAMES, elem); id = getChildString("id", elem); name = getChildText("name", elem); screenName = getChildText("screen_name", elem); location = getChildText("location", elem); description = getChildText("description", elem); profileImageUrl = getChildText("profile_image_url", elem); url = getChildText("url", elem); isProtected = getChildBoolean("protected", elem); followersCount = getChildInt("followers_count", elem); profileBackgroundColor = getChildText("profile_background_color", elem); profileTextColor = getChildText("profile_text_color", elem); profileLinkColor = getChildText("profile_link_color", elem); profileSidebarFillColor = getChildText("profile_sidebar_fill_color", elem); profileSidebarBorderColor = getChildText( "profile_sidebar_border_color", elem); friendsCount = getChildInt("friends_count", elem); createdAt = getChildDate("created_at", elem); favouritesCount = getChildInt("favourites_count", elem); utcOffset = getChildInt("utc_offset", elem); // timeZone = getChildText("time_zone", elem); profileBackgroundImageUrl = getChildText( "profile_background_image_url", elem); profileBackgroundTile = getChildText("profile_background_tile", elem); following = getChildBoolean("following", elem); notificationEnabled = getChildBoolean("notifications", elem); statusesCount = getChildInt("statuses_count", elem); geoEnabled = getChildBoolean("geo_enabled", elem); verified = getChildBoolean("verified", elem); NodeList statuses = elem.getElementsByTagName("status"); if (statuses.getLength() != 0) { Element status = (Element) statuses.item(0); statusCreatedAt = getChildDate("created_at", status); statusId = getChildString("id", status); statusText = getChildText("text", status); statusSource = getChildText("source", status); statusTruncated = getChildBoolean("truncated", status); statusInReplyToStatusId = getChildString("in_reply_to_status_id", status); statusInReplyToUserId = getChildString("in_reply_to_user_id", status); statusFavorited = getChildBoolean("favorited", status); statusInReplyToScreenName = getChildText("in_reply_to_screen_name", status); } } /** * Returns the id of the user * * @return the id of the user */ public String getId() { return id; } /** * Returns the name of the user * * @return the name of the user */ public String getName() { return name; } public String getGender() { return gender; } public String getBirthday() { return birthday; } /** * Returns the screen name of the user * * @return the screen name of the user */ public String getScreenName() { return screenName; } /** * Returns the location of the user * * @return the location of the user */ public String getLocation() { return location; } /** * Returns the description of the user * * @return the description of the user */ public String getDescription() { return description; } /** * Returns the profile image url of the user * * @return the profile image url of the user */ public URL getProfileImageURL() { try { return new URL(profileImageUrl); } catch (MalformedURLException ex) { return null; } } /** * Returns the url of the user * * @return the url of the user */ public URL getURL() { try { return new URL(url); } catch (MalformedURLException ex) { return null; } } /** * Test if the user status is protected * * @return true if the user status is protected */ public boolean isProtected() { return isProtected; } /** * Returns the number of followers * * @return the number of followers * @since Weibo4J 1.0.4 */ public int getFollowersCount() { return followersCount; } // TODO: uncomment // public DirectMessage sendDirectMessage(String text) throws WeiboException // { // return weibo.sendDirectMessage(this.getName(), text); // } public static List<User> constructUsers(Response res, Weibo weibo) throws HttpException { Document doc = res.asDocument(); if (isRootNodeNilClasses(doc)) { return new ArrayList<User>(0); } else { try { ensureRootNodeNameIs("users", doc); // NodeList list = // doc.getDocumentElement().getElementsByTagName( // "user"); // int size = list.getLength(); // List<User> users = new ArrayList<User>(size); // for (int i = 0; i < size; i++) { // users.add(new User(res, (Element) list.item(i), weibo)); // } // 去除掉嵌套的bug NodeList list = doc.getDocumentElement().getChildNodes(); List<User> users = new ArrayList<User>(list.getLength()); Node node; for (int i = 0; i < list.getLength(); i++) { node = list.item(i); if (node.getNodeName().equals("user")) { users.add(new User(res, (Element) node, weibo)); } } return users; } catch (HttpException te) { if (isRootNodeNilClasses(doc)) { return new ArrayList<User>(0); } else { throw te; } } } } public static UserWapper constructWapperUsers(Response res, Weibo weibo) throws HttpException { Document doc = res.asDocument(); if (isRootNodeNilClasses(doc)) { return new UserWapper(new ArrayList<User>(0), 0, 0); } else { try { ensureRootNodeNameIs("users_list", doc); Element root = doc.getDocumentElement(); NodeList user = root.getElementsByTagName("users"); int length = user.getLength(); if (length == 0) { return new UserWapper(new ArrayList<User>(0), 0, 0); } // Element listsRoot = (Element) user.item(0); NodeList list = listsRoot.getChildNodes(); List<User> users = new ArrayList<User>(list.getLength()); Node node; for (int i = 0; i < list.getLength(); i++) { node = list.item(i); if (node.getNodeName().equals("user")) { users.add(new User(res, (Element) node, weibo)); } } // long previousCursor = getChildLong("previous_curosr", root); long nextCursor = getChildLong("next_curosr", root); if (nextCursor == -1) { // 兼容不同标签名称 nextCursor = getChildLong("nextCurosr", root); } return new UserWapper(users, previousCursor, nextCursor); } catch (HttpException te) { if (isRootNodeNilClasses(doc)) { return new UserWapper(new ArrayList<User>(0), 0, 0); } else { throw te; } } } } public static List<User> constructUsers(Response res) throws HttpException { try { JSONArray list = res.asJSONArray(); int size = list.length(); List<User> users = new ArrayList<User>(size); for (int i = 0; i < size; i++) { users.add(new User(list.getJSONObject(i))); } return users; } catch (JSONException jsone) { throw new HttpException(jsone); } catch (HttpException te) { throw te; } } /** * * @param res * @return * @throws HttpException */ public static UserWapper constructWapperUsers(Response res) throws HttpException { JSONObject jsonUsers = res.asJSONObject(); // asJSONArray(); try { JSONArray user = jsonUsers.getJSONArray("users"); int size = user.length(); List<User> users = new ArrayList<User>(size); for (int i = 0; i < size; i++) { users.add(new User(user.getJSONObject(i))); } long previousCursor = jsonUsers.getLong("previous_curosr"); long nextCursor = jsonUsers.getLong("next_cursor"); if (nextCursor == -1) { // 兼容不同标签名称 nextCursor = jsonUsers.getLong("nextCursor"); } return new UserWapper(users, previousCursor, nextCursor); } catch (JSONException jsone) { throw new HttpException(jsone); } } /** * @param res * @return * @throws HttpException */ static List<User> constructResult(Response res) throws HttpException { JSONArray list = res.asJSONArray(); try { int size = list.length(); List<User> users = new ArrayList<User>(size); for (int i = 0; i < size; i++) { users.add(new User(list.getJSONObject(i))); } return users; } catch (JSONException e) { } return null; } /** * @return created_at or null if the user is protected * @since Weibo4J 1.1.0 */ public Date getStatusCreatedAt() { return statusCreatedAt; } /** * * @return status id or -1 if the user is protected */ public String getStatusId() { return statusId; } /** * * @return status text or null if the user is protected */ public String getStatusText() { return statusText; } /** * * @return source or null if the user is protected * @since 1.1.4 */ public String getStatusSource() { return statusSource; } /** * * @return truncated or false if the user is protected * @since 1.1.4 */ public boolean isStatusTruncated() { return statusTruncated; } /** * * @return in_reply_to_status_id or -1 if the user is protected * @since 1.1.4 */ public String getStatusInReplyToStatusId() { return statusInReplyToStatusId; } /** * * @return in_reply_to_user_id or -1 if the user is protected * @since 1.1.4 */ public String getStatusInReplyToUserId() { return statusInReplyToUserId; } /** * * @return favorited or false if the user is protected * @since 1.1.4 */ public boolean isStatusFavorited() { return statusFavorited; } /** * * @return in_reply_to_screen_name or null if the user is protected * @since 1.1.4 */ public String getStatusInReplyToScreenName() { return "" != statusInReplyToUserId ? statusInReplyToScreenName : null; } public String getProfileBackgroundColor() { return profileBackgroundColor; } public String getProfileTextColor() { return profileTextColor; } public String getProfileLinkColor() { return profileLinkColor; } public String getProfileSidebarFillColor() { return profileSidebarFillColor; } public String getProfileSidebarBorderColor() { return profileSidebarBorderColor; } public int getFriendsCount() { return friendsCount; } public Date getCreatedAt() { return createdAt; } public int getFavouritesCount() { return favouritesCount; } public int getUtcOffset() { return utcOffset; } public String getTimeZone() { return timeZone; } public String getProfileBackgroundImageUrl() { return profileBackgroundImageUrl; } public String getProfileBackgroundTile() { return profileBackgroundTile; } /** * */ public boolean isFollowing() { return following; } /** * @deprecated use isNotificationsEnabled() instead */ public boolean isNotifications() { return notificationEnabled; } /** * * @since Weibo4J 2.0.1 */ public boolean isNotificationEnabled() { return notificationEnabled; } public int getStatusesCount() { return statusesCount; } /** * @return the user is enabling geo location * @since Weibo4J 2.0.10 */ public boolean isGeoEnabled() { return geoEnabled; } /** * @return returns true if the user is a verified celebrity * @since Weibo4J 2.0.10 */ public boolean isVerified() { return verified; } @Override public int hashCode() { return id.hashCode(); } @Override public boolean equals(Object obj) { if (null == obj) { return false; } if (this == obj) { return true; } return obj instanceof User && ((User) obj).id.equals(this.id); } @Override public String toString() { return "User{" + "weibo=" + weibo + ", id=" + id + ", name='" + name + '\'' + ", screenName='" + screenName + '\'' + ", location='" + location + '\'' + ", description='" + description + '\'' + ", profileImageUrl='" + profileImageUrl + '\'' + ", url='" + url + '\'' + ", isProtected=" + isProtected + ", followersCount=" + followersCount + ", statusCreatedAt=" + statusCreatedAt + ", statusId=" + statusId + ", statusText='" + statusText + '\'' + ", statusSource='" + statusSource + '\'' + ", statusTruncated=" + statusTruncated + ", statusInReplyToStatusId=" + statusInReplyToStatusId + ", statusInReplyToUserId=" + statusInReplyToUserId + ", statusFavorited=" + statusFavorited + ", statusInReplyToScreenName='" + statusInReplyToScreenName + '\'' + ", profileBackgroundColor='" + profileBackgroundColor + '\'' + ", profileTextColor='" + profileTextColor + '\'' + ", profileLinkColor='" + profileLinkColor + '\'' + ", profileSidebarFillColor='" + profileSidebarFillColor + '\'' + ", profileSidebarBorderColor='" + profileSidebarBorderColor + '\'' + ", friendsCount=" + friendsCount + ", createdAt=" + createdAt + ", favouritesCount=" + favouritesCount + ", utcOffset=" + utcOffset + // ", timeZone='" + timeZone + '\'' + ", profileBackgroundImageUrl='" + profileBackgroundImageUrl + '\'' + ", profileBackgroundTile='" + profileBackgroundTile + '\'' + ", following=" + following + ", notificationEnabled=" + notificationEnabled + ", statusesCount=" + statusesCount + ", geoEnabled=" + geoEnabled + ", verified=" + verified + '}'; } // TODO:增加从游标解析User的方法,用于和data里User转换一条数据 public static User parseUser(Cursor cursor) { if (null == cursor || 0 == cursor.getCount() || cursor.getCount() > 1) { Log.w("User.ParseUser", "Cann't parse Cursor, bacause cursor is null or empty."); } cursor.moveToFirst(); User u = new User(); u.id = cursor.getString(cursor.getColumnIndex(UserInfoTable._ID)); u.name = cursor.getString(cursor .getColumnIndex(UserInfoTable.FIELD_USER_NAME)); u.screenName = cursor.getString(cursor .getColumnIndex(UserInfoTable.FIELD_USER_SCREEN_NAME)); u.location = cursor.getString(cursor .getColumnIndex(UserInfoTable.FIELD_LOCALTION)); u.description = cursor.getString(cursor .getColumnIndex(UserInfoTable.FIELD_DESCRIPTION)); u.profileImageUrl = cursor.getString(cursor .getColumnIndex(UserInfoTable.FIELD_PROFILE_IMAGE_URL)); u.url = cursor .getString(cursor.getColumnIndex(UserInfoTable.FIELD_URL)); u.isProtected = (0 == cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_PROTECTED))) ? false : true; u.followersCount = cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_FOLLOWERS_COUNT)); u.friendsCount = cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_FRIENDS_COUNT)); u.favouritesCount = cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_FAVORITES_COUNT)); u.statusesCount = cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_STATUSES_COUNT)); u.following = (0 == cursor.getInt(cursor .getColumnIndex(UserInfoTable.FIELD_FOLLOWING))) ? false : true; try { String createAtStr = cursor.getString(cursor .getColumnIndex(MessageTable.FIELD_CREATED_AT)); if (createAtStr != null) { u.createdAt = TwitterDatabase.DB_DATE_FORMATTER .parse(createAtStr); } } catch (ParseException e) { Log.w("User", "Invalid created at data."); } return u; } public com.ch_linghu.fanfoudroid.data.User parseUser() { com.ch_linghu.fanfoudroid.data.User user = new com.ch_linghu.fanfoudroid.data.User(); user.id = this.id; user.name = this.name; user.screenName = this.screenName; user.location = this.location; user.description = this.description; user.profileImageUrl = this.profileImageUrl; user.url = this.url; user.isProtected = this.isProtected; user.followersCount = this.followersCount; user.friendsCount = this.friendsCount; user.favoritesCount = this.favouritesCount; user.statusesCount = this.statusesCount; user.isFollowing = this.following; user.createdAt = this.createdAt; return user; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/User.java
Java
asf20
22,419
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.regex.Matcher; import java.util.regex.Pattern; import org.json.JSONException; import org.json.JSONObject; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * 模仿JSONObject的XML实现 * * @author jmx * */ class XmlObject { private String str; public XmlObject(String s) { this.str = s; } // FIXME: 这里用的是一个专有的ugly实现 public String getString(String name) throws Exception { Pattern p = Pattern .compile(String.format("<%s>(.*?)</%s>", name, name)); Matcher m = p.matcher(this.str); if (m.find()) { return m.group(1); } else { throw new Exception(String.format("<%s> value not found", name)); } } @Override public String toString() { return this.str; } } /** * 服务器响应的错误信息 */ public class RefuseError extends WeiboResponse implements java.io.Serializable { // TODO: get error type public static final int ERROR_A = 1; public static final int ERROR_B = 1; public static final int ERROR_C = 1; private int mErrorCode = -1; private String mRequestUrl = ""; private String mResponseError = ""; private static final long serialVersionUID = -2105422180879273058L; public RefuseError(Response res) throws HttpException { String error = res.asString(); try { // 先尝试作为json object进行处理 JSONObject json = new JSONObject(error); init(json); } catch (Exception e1) { // 如果失败,则作为XML再进行处理 try { XmlObject xml = new XmlObject(error); init(xml); } catch (Exception e2) { // 再失败就作为普通字符串进行处理,这个处理保证不会出错 init(error); } } } public void init(JSONObject json) throws HttpException { try { mRequestUrl = json.getString("request"); mResponseError = json.getString("error"); parseError(mResponseError); } catch (JSONException je) { throw new HttpException(je.getMessage() + ":" + json.toString(), je); } } public void init(XmlObject xml) throws HttpException { try { mRequestUrl = xml.getString("request"); mResponseError = xml.getString("error"); parseError(mResponseError); } catch (Exception e) { throw new HttpException(e.getMessage() + ":" + xml.toString(), e); } } public void init(String error) { mRequestUrl = ""; mResponseError = error; parseError(mResponseError); } private void parseError(String error) { if (error.equals("")) { mErrorCode = ERROR_A; } } public int getErrorCode() { return mErrorCode; } public String getRequestUrl() { return mRequestUrl; } public String getMessage() { return mResponseError; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/RefuseError.java
Java
asf20
4,216
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.NodeList; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing one single status of a user. * * @author Yusuke Yamamoto - yusuke at mac.com */ public class Status extends WeiboResponse implements java.io.Serializable { private static final long serialVersionUID = 1608000492860584608L; private Date createdAt; private String id; private String text; private String source; private boolean isTruncated; private String inReplyToStatusId; private String inReplyToUserId; private boolean isFavorited; private String inReplyToScreenName; private double latitude = -1; private double longitude = -1; private String thumbnail_pic; private String bmiddle_pic; private String original_pic; private String photo_url; private RetweetDetails retweetDetails; private User user = null; /* package */Status(Response res, Weibo weibo) throws HttpException { super(res); Element elem = res.asDocument().getDocumentElement(); init(res, elem, weibo); } /* package */Status(Response res, Element elem, Weibo weibo) throws HttpException { super(res); init(res, elem, weibo); } Status(Response res) throws HttpException { super(res); JSONObject json = res.asJSONObject(); try { id = json.getString("id"); text = json.getString("text"); source = json.getString("source"); createdAt = parseDate(json.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); inReplyToStatusId = getString("in_reply_to_status_id", json); inReplyToUserId = getString("in_reply_to_user_id", json); isFavorited = getBoolean("favorited", json); // System.out.println("json photo" + json.getJSONObject("photo")); if (!json.isNull("photo")) { // System.out.println("not null" + json.getJSONObject("photo")); Photo photo = new Photo(json.getJSONObject("photo")); thumbnail_pic = photo.getThumbnail_pic(); bmiddle_pic = photo.getBmiddle_pic(); original_pic = photo.getOriginal_pic(); } else { // System.out.println("Null"); thumbnail_pic = ""; bmiddle_pic = ""; original_pic = ""; } if (!json.isNull("user")) user = new User(json.getJSONObject("user")); inReplyToScreenName = json.getString("in_reply_to_screen_name"); if (!json.isNull("retweetDetails")) { retweetDetails = new RetweetDetails( json.getJSONObject("retweetDetails")); } } catch (JSONException je) { throw new HttpException(je.getMessage() + ":" + json.toString(), je); } } /* modify by sycheng add some field */ public Status(JSONObject json) throws HttpException, JSONException { id = json.getString("id"); text = json.getString("text"); source = json.getString("source"); createdAt = parseDate(json.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); isFavorited = getBoolean("favorited", json); isTruncated = getBoolean("truncated", json); inReplyToStatusId = getString("in_reply_to_status_id", json); inReplyToUserId = getString("in_reply_to_user_id", json); inReplyToScreenName = json.getString("in_reply_to_screen_name"); if (!json.isNull("photo")) { Photo photo = new Photo(json.getJSONObject("photo")); thumbnail_pic = photo.getThumbnail_pic(); bmiddle_pic = photo.getBmiddle_pic(); original_pic = photo.getOriginal_pic(); } else { thumbnail_pic = ""; bmiddle_pic = ""; original_pic = ""; } user = new User(json.getJSONObject("user")); } public Status(String str) throws HttpException, JSONException { // StatusStream uses this constructor super(); JSONObject json = new JSONObject(str); id = json.getString("id"); text = json.getString("text"); source = json.getString("source"); createdAt = parseDate(json.getString("created_at"), "EEE MMM dd HH:mm:ss z yyyy"); inReplyToStatusId = getString("in_reply_to_status_id", json); inReplyToUserId = getString("in_reply_to_user_id", json); isFavorited = getBoolean("favorited", json); if (!json.isNull("photo")) { Photo photo = new Photo(json.getJSONObject("photo")); thumbnail_pic = photo.getThumbnail_pic(); bmiddle_pic = photo.getBmiddle_pic(); original_pic = photo.getOriginal_pic(); } else { thumbnail_pic = ""; bmiddle_pic = ""; original_pic = ""; } user = new User(json.getJSONObject("user")); } private void init(Response res, Element elem, Weibo weibo) throws HttpException { ensureRootNodeNameIs("status", elem); user = new User(res, (Element) elem.getElementsByTagName("user") .item(0), weibo); id = getChildString("id", elem); text = getChildText("text", elem); source = getChildText("source", elem); createdAt = getChildDate("created_at", elem); isTruncated = getChildBoolean("truncated", elem); inReplyToStatusId = getChildString("in_reply_to_status_id", elem); inReplyToUserId = getChildString("in_reply_to_user_id", elem); isFavorited = getChildBoolean("favorited", elem); inReplyToScreenName = getChildText("in_reply_to_screen_name", elem); NodeList georssPoint = elem.getElementsByTagName("georss:point"); if (1 == georssPoint.getLength()) { String[] point = georssPoint.item(0).getFirstChild().getNodeValue() .split(" "); if (!"null".equals(point[0])) latitude = Double.parseDouble(point[0]); if (!"null".equals(point[1])) longitude = Double.parseDouble(point[1]); } NodeList retweetDetailsNode = elem .getElementsByTagName("retweet_details"); if (1 == retweetDetailsNode.getLength()) { retweetDetails = new RetweetDetails(res, (Element) retweetDetailsNode.item(0), weibo); } } /** * Return the created_at * * @return created_at * @since Weibo4J 1.1.0 */ public Date getCreatedAt() { return this.createdAt; } /** * Returns the id of the status * * @return the id */ public String getId() { return this.id; } /** * Returns the text of the status * * @return the text */ public String getText() { return this.text; } /** * Returns the source * * @return the source * @since Weibo4J 1.0.4 */ public String getSource() { return this.source; } /** * Test if the status is truncated * * @return true if truncated * @since Weibo4J 1.0.4 */ public boolean isTruncated() { return isTruncated; } /** * Returns the in_reply_tostatus_id * * @return the in_reply_tostatus_id * @since Weibo4J 1.0.4 */ public String getInReplyToStatusId() { return inReplyToStatusId; } /** * Returns the in_reply_user_id * * @return the in_reply_tostatus_id * @since Weibo4J 1.0.4 */ public String getInReplyToUserId() { return inReplyToUserId; } /** * Returns the in_reply_to_screen_name * * @return the in_in_reply_to_screen_name * @since Weibo4J 2.0.4 */ public String getInReplyToScreenName() { return inReplyToScreenName; } /** * returns The location's latitude that this tweet refers to. * * @since Weibo4J 2.0.10 */ public double getLatitude() { return latitude; } /** * returns The location's longitude that this tweet refers to. * * @since Weibo4J 2.0.10 */ public double getLongitude() { return longitude; } /** * Test if the status is favorited * * @return true if favorited * @since Weibo4J 1.0.4 */ public boolean isFavorited() { return isFavorited; } public String getThumbnail_pic() { return thumbnail_pic; } public String getBmiddle_pic() { return bmiddle_pic; } public String getOriginal_pic() { return original_pic; } /** * Return the user * * @return the user */ public User getUser() { return user; } // TODO: 等合并Tweet, Status public int getType() { return -1111111; } /** * * @since Weibo4J 2.0.10 */ public boolean isRetweet() { return null != retweetDetails; } /** * * @since Weibo4J 2.0.10 */ public RetweetDetails getRetweetDetails() { return retweetDetails; } /* package */ static List<Status> constructStatuses(Response res, Weibo weibo) throws HttpException { Document doc = res.asDocument(); if (isRootNodeNilClasses(doc)) { return new ArrayList<Status>(0); } else { try { ensureRootNodeNameIs("statuses", doc); NodeList list = doc.getDocumentElement().getElementsByTagName( "status"); int size = list.getLength(); List<Status> statuses = new ArrayList<Status>(size); for (int i = 0; i < size; i++) { Element status = (Element) list.item(i); statuses.add(new Status(res, status, weibo)); } return statuses; } catch (HttpException te) { ensureRootNodeNameIs("nil-classes", doc); return new ArrayList<Status>(0); } } } /* modify by sycheng add json call method */ /* package */ static List<Status> constructStatuses(Response res) throws HttpException { try { JSONArray list = res.asJSONArray(); int size = list.length(); List<Status> statuses = new ArrayList<Status>(size); for (int i = 0; i < size; i++) { statuses.add(new Status(list.getJSONObject(i))); } return statuses; } catch (JSONException jsone) { throw new HttpException(jsone); } catch (HttpException te) { throw te; } } @Override public int hashCode() { return id.hashCode(); } @Override public boolean equals(Object obj) { if (null == obj) { return false; } if (this == obj) { return true; } // return obj instanceof Status && ((Status) obj).id == this.id; return obj instanceof Status && this.id.equals(((Status) obj).id); } @Override public String toString() { return "Status{" + "createdAt=" + createdAt + ", id=" + id + ", text='" + text + '\'' + ", source='" + source + '\'' + ", isTruncated=" + isTruncated + ", inReplyToStatusId=" + inReplyToStatusId + ", inReplyToUserId=" + inReplyToUserId + ", isFavorited=" + isFavorited + ", thumbnail_pic=" + thumbnail_pic + ", bmiddle_pic=" + bmiddle_pic + ", original_pic=" + original_pic + ", inReplyToScreenName='" + inReplyToScreenName + '\'' + ", latitude=" + latitude + ", longitude=" + longitude + ", retweetDetails=" + retweetDetails + ", user=" + user + '}'; } public boolean isEmpty() { return (null == id); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/Status.java
Java
asf20
11,959
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.Arrays; import org.json.JSONArray; import org.json.JSONException; import org.w3c.dom.Element; import org.w3c.dom.NodeList; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing array of numeric IDs. * * @author Yusuke Yamamoto - yusuke at mac.com */ public class IDs extends WeiboResponse { private String[] ids; private long previousCursor; private long nextCursor; private static final long serialVersionUID = -6585026560164704953L; private static String[] ROOT_NODE_NAMES = { "id_list", "ids" }; /* package */IDs(Response res) throws HttpException { super(res); Element elem = res.asDocument().getDocumentElement(); ensureRootNodeNameIs(ROOT_NODE_NAMES, elem); NodeList idlist = elem.getElementsByTagName("id"); ids = new String[idlist.getLength()]; for (int i = 0; i < idlist.getLength(); i++) { try { ids[i] = idlist.item(i).getFirstChild().getNodeValue(); } catch (NumberFormatException nfe) { throw new HttpException( "Weibo API returned malformed response(Invalid Number): " + elem, nfe); } catch (NullPointerException npe) { throw new HttpException( "Weibo API returned malformed response(NULL): " + elem, npe); } } previousCursor = getChildLong("previous_cursor", elem); nextCursor = getChildLong("next_cursor", elem); } /* package */IDs(Response res, Weibo w) throws HttpException { super(res); // TODO: 饭否返回的为 JSONArray 类型, // 例如["ifan","fanfouapi","\u62cd\u62cd","daoru"] // JSONObject json= res.asJSONObject(); JSONArray jsona = res.asJSONArray(); try { int size = jsona.length(); ids = new String[size]; for (int i = 0; i < size; i++) { ids[i] = jsona.getString(i); } } catch (JSONException jsone) { throw new HttpException(jsone); } } public String[] getIDs() { return ids; } /** * * @since Weibo4J 2.0.10 */ public boolean hasPrevious() { return 0 != previousCursor; } /** * * @since Weibo4J 2.0.10 */ public long getPreviousCursor() { return previousCursor; } /** * * @since Weibo4J 2.0.10 */ public boolean hasNext() { return 0 != nextCursor; } /** * * @since Weibo4J 2.0.10 */ public long getNextCursor() { return nextCursor; } @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof IDs)) return false; IDs iDs = (IDs) o; if (!Arrays.equals(ids, iDs.ids)) return false; return true; } @Override public int hashCode() { return ids != null ? Arrays.hashCode(ids) : 0; } public int getCount() { return ids.length; } @Override public String toString() { return "IDs{" + "ids=" + ids + ", previousCursor=" + previousCursor + ", nextCursor=" + nextCursor + '}'; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/IDs.java
Java
asf20
4,386
/* Copyright (c) 2007-2009, Yusuke Yamamoto All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Yusuke Yamamoto nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY Yusuke Yamamoto ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL Yusuke Yamamoto BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package com.ch_linghu.fanfoudroid.fanfou; import java.util.Date; import org.json.JSONException; import org.json.JSONObject; import org.w3c.dom.Element; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * A data class representing Weibo rate limit status * * @author Yusuke Yamamoto - yusuke at mac.com */ public class RateLimitStatus extends WeiboResponse { private int remainingHits; private int hourlyLimit; private int resetTimeInSeconds; private Date resetTime; private static final long serialVersionUID = 933996804168952707L; /* package */RateLimitStatus(Response res) throws HttpException { super(res); Element elem = res.asDocument().getDocumentElement(); remainingHits = getChildInt("remaining-hits", elem); hourlyLimit = getChildInt("hourly-limit", elem); resetTimeInSeconds = getChildInt("reset-time-in-seconds", elem); resetTime = getChildDate("reset-time", elem, "EEE MMM d HH:mm:ss z yyyy"); } /* modify by sycheng add json call */ /* package */RateLimitStatus(Response res, Weibo w) throws HttpException { super(res); JSONObject json = res.asJSONObject(); try { remainingHits = json.getInt("remaining_hits"); hourlyLimit = json.getInt("hourly_limit"); resetTimeInSeconds = json.getInt("reset_time_in_seconds"); resetTime = parseDate(json.getString("reset_time"), "EEE MMM dd HH:mm:ss z yyyy"); } catch (JSONException jsone) { throw new HttpException(jsone.getMessage() + ":" + json.toString(), jsone); } } public int getRemainingHits() { return remainingHits; } public int getHourlyLimit() { return hourlyLimit; } public int getResetTimeInSeconds() { return resetTimeInSeconds; } /** * * @deprecated use getResetTime() instead */ @Deprecated public Date getDateTime() { return resetTime; } /** * @since Weibo4J 2.0.9 */ public Date getResetTime() { return resetTime; } @Override public String toString() { StringBuilder sb = new StringBuilder(); sb.append("RateLimitStatus{remainingHits:"); sb.append(remainingHits); sb.append(";hourlyLimit:"); sb.append(hourlyLimit); sb.append(";resetTimeInSeconds:"); sb.append(resetTimeInSeconds); sb.append(";resetTime:"); sb.append(resetTime); sb.append("}"); return sb.toString(); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/fanfou/RateLimitStatus.java
Java
asf20
3,814
package com.ch_linghu.fanfoudroid; import java.util.ArrayList; import java.util.List; import android.database.Cursor; import android.os.Bundle; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.fanfou.Status; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.ui.base.TwitterCursorBaseActivity; import com.ch_linghu.fanfoudroid.R; /** * 随便看看 * * @author jmx * */ public class BrowseActivity extends TwitterCursorBaseActivity { private static final String TAG = "BrowseActivity"; @Override protected boolean _onCreate(Bundle savedInstanceState) { if (super._onCreate(savedInstanceState)) { mNavbar.setHeaderTitle(getActivityTitle()); getTweetList().removeFooterView(mListFooter); // 随便看看没有获取更多功能 return true; } else { return false; } } @Override protected String getActivityTitle() { return getResources().getString(R.string.page_title_browse); } @Override public int addMessages(ArrayList<Tweet> tweets, boolean isUnread) { return getDb().putTweets(tweets, getUserId(), StatusTable.TYPE_BROWSE, isUnread); } @Override public String fetchMaxId() { return getDb().fetchMaxTweetId(getUserId(), StatusTable.TYPE_BROWSE); } @Override protected Cursor fetchMessages() { return getDb().fetchAllTweets(getUserId(), StatusTable.TYPE_BROWSE); } @Override public List<Status> getMessageSinceId(String maxId) throws HttpException { return getApi().getPublicTimeline(); } @Override protected void markAllRead() { getDb().markAllTweetsRead(getUserId(), StatusTable.TYPE_BROWSE); } @Override public String fetchMinId() { // 随便看看没有获取更多的功能 return null; } @Override public List<Status> getMoreMessageFromId(String minId) throws HttpException { // 随便看看没有获取更多的功能 return null; } @Override public int getDatabaseType() { return StatusTable.TYPE_BROWSE; } @Override public String getUserId() { return TwitterApplication.getMyselfId(false); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/BrowseActivity.java
Java
asf20
2,120
package com.ch_linghu.fanfoudroid.data2; public class Photo { private String thumburl; private String imageurl; private String largeurl; public Photo() { } public String getThumburl() { return thumburl; } public void setThumburl(String thumburl) { this.thumburl = thumburl; } public String getImageurl() { return imageurl; } public void setImageurl(String imageurl) { this.imageurl = imageurl; } public String getLargeurl() { return largeurl; } public void setLargeurl(String largeurl) { this.largeurl = largeurl; } @Override public String toString() { return "Photo [thumburl=" + thumburl + ", imageurl=" + imageurl + ", largeurl=" + largeurl + "]"; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data2/Photo.java
Java
asf20
702
package com.ch_linghu.fanfoudroid.data2; import java.util.Date; public class User { private String id; private String name; private String screen_name; private String location; private String desription; private String profile_image_url; private String url; private boolean isProtected; private int friends_count; private int followers_count; private int favourites_count; private Date created_at; private boolean following; private boolean notifications; private int utc_offset; private Status status; // null public User() { } public String getId() { return id; } public void setId(String id) { this.id = id; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getScreenName() { return screen_name; } public void setScreenName(String screen_name) { this.screen_name = screen_name; } public String getLocation() { return location; } public void setLocation(String location) { this.location = location; } public String getDesription() { return desription; } public void setDesription(String desription) { this.desription = desription; } public String getProfileImageUrl() { return profile_image_url; } public void setProfileImageUrl(String profile_image_url) { this.profile_image_url = profile_image_url; } public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public boolean isProtected() { return isProtected; } public void setProtected(boolean isProtected) { this.isProtected = isProtected; } public int getFriendsCount() { return friends_count; } public void setFriendsCount(int friends_count) { this.friends_count = friends_count; } public int getFollowersCount() { return followers_count; } public void setFollowersCount(int followers_count) { this.followers_count = followers_count; } public int getFavouritesCount() { return favourites_count; } public void setFavouritesCount(int favourites_count) { this.favourites_count = favourites_count; } public Date getCreatedAt() { return created_at; } public void setCreatedAt(Date created_at) { this.created_at = created_at; } public boolean isFollowing() { return following; } public void setFollowing(boolean following) { this.following = following; } public boolean isNotifications() { return notifications; } public void setNotifications(boolean notifications) { this.notifications = notifications; } public int getUtcOffset() { return utc_offset; } public void setUtcOffset(int utc_offset) { this.utc_offset = utc_offset; } public Status getStatus() { return status; } public void setStatus(Status status) { this.status = status; } @Override public String toString() { return "User [id=" + id + ", name=" + name + ", screen_name=" + screen_name + ", location=" + location + ", desription=" + desription + ", profile_image_url=" + profile_image_url + ", url=" + url + ", isProtected=" + isProtected + ", friends_count=" + friends_count + ", followers_count=" + followers_count + ", favourites_count=" + favourites_count + ", created_at=" + created_at + ", following=" + following + ", notifications=" + notifications + ", utc_offset=" + utc_offset + ", status=" + status + "]"; } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; User other = (User) obj; if (id == null) { if (other.id != null) return false; } else if (!id.equals(other.id)) return false; return true; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data2/User.java
Java
asf20
3,686
package com.ch_linghu.fanfoudroid.data2; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; import java.util.Locale; import java.util.TimeZone; public class DataUtils { static SimpleDateFormat sdf = new SimpleDateFormat( "EEE MMM dd HH:mm:ss z yyyy", Locale.US); public static Date parseDate(String str, String format) throws ParseException { if (str == null || "".equals(str)) { return null; } sdf.setTimeZone(TimeZone.getTimeZone("GMT")); return sdf.parse(str); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data2/DataUtils.java
Java
asf20
531
package com.ch_linghu.fanfoudroid.data2; import java.util.Date; public class Status { private Date created_at; private String id; private String text; private String source; private boolean truncated; private String in_reply_to_status_id; private String in_reply_to_user_id; private boolean favorited; private String in_reply_to_screen_name; private Photo photo_url; private User user; private boolean isUnRead = false; private int type = -1; private String owner_id; public Status() { } public Date getCreatedAt() { return created_at; } public void setCreatedAt(Date created_at) { this.created_at = created_at; } public String getId() { return id; } public void setId(String id) { this.id = id; } public String getText() { return text; } public void setText(String text) { this.text = text; } public String getSource() { return source; } public void setSource(String source) { this.source = source; } public boolean isTruncated() { return truncated; } public void setTruncated(boolean truncated) { this.truncated = truncated; } public String getInReplyToStatusId() { return in_reply_to_status_id; } public void setInReplyToStatusId(String in_reply_to_status_id) { this.in_reply_to_status_id = in_reply_to_status_id; } public String getInReplyToUserId() { return in_reply_to_user_id; } public void setInReplyToUserId(String in_reply_to_user_id) { this.in_reply_to_user_id = in_reply_to_user_id; } public boolean isFavorited() { return favorited; } public void setFavorited(boolean favorited) { this.favorited = favorited; } public String getInReplyToScreenName() { return in_reply_to_screen_name; } public void setInReplyToScreenName(String in_reply_to_screen_name) { this.in_reply_to_screen_name = in_reply_to_screen_name; } public Photo getPhotoUrl() { return photo_url; } public void setPhotoUrl(Photo photo_url) { this.photo_url = photo_url; } public User getUser() { return user; } public void setUser(User user) { this.user = user; } public boolean isUnRead() { return isUnRead; } public void setUnRead(boolean isUnRead) { this.isUnRead = isUnRead; } public int getType() { return type; } public void setType(int type) { this.type = type; } public String getOwnerId() { return owner_id; } public void setOwnerId(String owner_id) { this.owner_id = owner_id; } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; Status other = (Status) obj; if (id == null) { if (other.id != null) return false; } else if (!id.equals(other.id)) return false; if (owner_id == null) { if (other.owner_id != null) return false; } else if (!owner_id.equals(other.owner_id)) return false; if (type != other.type) return false; if (user == null) { if (other.user != null) return false; } else if (!user.equals(other.user)) return false; return true; } @Override public String toString() { return "Status [created_at=" + created_at + ", id=" + id + ", text=" + text + ", source=" + source + ", truncated=" + truncated + ", in_reply_to_status_id=" + in_reply_to_status_id + ", in_reply_to_user_id=" + in_reply_to_user_id + ", favorited=" + favorited + ", in_reply_to_screen_name=" + in_reply_to_screen_name + ", photo_url=" + photo_url + ", user=" + user + "]"; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/data2/Status.java
Java
asf20
3,510
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid.app; import java.io.BufferedInputStream; import java.io.BufferedOutputStream; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.io.InputStream; import java.lang.ref.SoftReference; import java.security.MessageDigest; import java.security.NoSuchAlgorithmException; import java.util.HashMap; import java.util.HashSet; import java.util.Map; import android.content.Context; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.graphics.Canvas; import android.graphics.PixelFormat; import android.graphics.drawable.Drawable; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.Response; /** * Manages retrieval and storage of icon images. Use the put method to download * and store images. Use the get method to retrieve images from the manager. */ public class ImageManager implements ImageCache { private static final String TAG = "ImageManager"; // 饭否目前最大宽度支持596px, 超过则同比缩小 // 最大高度为1192px, 超过从中截取 public static final int DEFAULT_COMPRESS_QUALITY = 90; public static final int IMAGE_MAX_WIDTH = 596; public static final int IMAGE_MAX_HEIGHT = 1192; private Context mContext; // In memory cache. private Map<String, SoftReference<Bitmap>> mCache; // MD5 hasher. private MessageDigest mDigest; public static Bitmap drawableToBitmap(Drawable drawable) { Bitmap bitmap = Bitmap .createBitmap( drawable.getIntrinsicWidth(), drawable.getIntrinsicHeight(), drawable.getOpacity() != PixelFormat.OPAQUE ? Bitmap.Config.ARGB_8888 : Bitmap.Config.RGB_565); Canvas canvas = new Canvas(bitmap); drawable.setBounds(0, 0, drawable.getIntrinsicWidth(), drawable.getIntrinsicHeight()); drawable.draw(canvas); return bitmap; } public ImageManager(Context context) { mContext = context; mCache = new HashMap<String, SoftReference<Bitmap>>(); try { mDigest = MessageDigest.getInstance("MD5"); } catch (NoSuchAlgorithmException e) { // This shouldn't happen. throw new RuntimeException("No MD5 algorithm."); } } public void setContext(Context context) { mContext = context; } private String getHashString(MessageDigest digest) { StringBuilder builder = new StringBuilder(); for (byte b : digest.digest()) { builder.append(Integer.toHexString((b >> 4) & 0xf)); builder.append(Integer.toHexString(b & 0xf)); } return builder.toString(); } // MD5 hases are used to generate filenames based off a URL. private String getMd5(String url) { mDigest.update(url.getBytes()); return getHashString(mDigest); } // Looks to see if an image is in the file system. private Bitmap lookupFile(String url) { String hashedUrl = getMd5(url); FileInputStream fis = null; try { fis = mContext.openFileInput(hashedUrl); return BitmapFactory.decodeStream(fis); } catch (FileNotFoundException e) { // Not there. return null; } finally { if (fis != null) { try { fis.close(); } catch (IOException e) { // Ignore. } } } } /** * Downloads a file * * @param url * @return * @throws HttpException */ public Bitmap downloadImage(String url) throws HttpException { Log.d(TAG, "Fetching image: " + url); Response res = TwitterApplication.mApi.getHttpClient().get(url); return BitmapFactory.decodeStream(new BufferedInputStream(res .asStream())); } public Bitmap downloadImage2(String url) throws HttpException { Log.d(TAG, "[NEW]Fetching image: " + url); final Response res = TwitterApplication.mApi.getHttpClient().get(url); String file = writeToFile(res.asStream(), getMd5(url)); return BitmapFactory.decodeFile(file); } /** * 下载远程图片 -> 转换为Bitmap -> 写入缓存器. * * @param url * @param quality * image quality 1~100 * @throws HttpException */ public void put(String url, int quality, boolean forceOverride) throws HttpException { if (!forceOverride && contains(url)) { // Image already exists. return; // TODO: write to file if not present. } Bitmap bitmap = downloadImage(url); if (bitmap != null) { put(url, bitmap, quality); // file cache } else { Log.w(TAG, "Retrieved bitmap is null."); } } /** * 重载 put(String url, int quality) * * @param url * @throws HttpException */ public void put(String url) throws HttpException { put(url, DEFAULT_COMPRESS_QUALITY, false); } /** * 将本地File -> 转换为Bitmap -> 写入缓存器. 如果图片大小超过MAX_WIDTH/MAX_HEIGHT, 则将会对图片缩放. * * @param file * @param quality * 图片质量(0~100) * @param forceOverride * @throws IOException */ public void put(File file, int quality, boolean forceOverride) throws IOException { if (!file.exists()) { Log.w(TAG, file.getName() + " is not exists."); return; } if (!forceOverride && contains(file.getPath())) { // Image already exists. Log.d(TAG, file.getName() + " is exists"); return; // TODO: write to file if not present. } Bitmap bitmap = BitmapFactory.decodeFile(file.getPath()); // bitmap = resizeBitmap(bitmap, MAX_WIDTH, MAX_HEIGHT); if (bitmap == null) { Log.w(TAG, "Retrieved bitmap is null."); } else { put(file.getPath(), bitmap, quality); } } /** * 将Bitmap写入缓存器. * * @param filePath * file path * @param bitmap * @param quality * 1~100 */ public void put(String file, Bitmap bitmap, int quality) { synchronized (this) { mCache.put(file, new SoftReference<Bitmap>(bitmap)); } writeFile(file, bitmap, quality); } /** * 重载 put(String file, Bitmap bitmap, int quality) * * @param filePath * file path * @param bitmap * @param quality * 1~100 */ @Override public void put(String file, Bitmap bitmap) { put(file, bitmap, DEFAULT_COMPRESS_QUALITY); } /** * 将Bitmap写入本地缓存文件. * * @param file * URL/PATH * @param bitmap * @param quality */ private void writeFile(String file, Bitmap bitmap, int quality) { if (bitmap == null) { Log.w(TAG, "Can't write file. Bitmap is null."); return; } BufferedOutputStream bos = null; try { String hashedUrl = getMd5(file); bos = new BufferedOutputStream(mContext.openFileOutput(hashedUrl, Context.MODE_PRIVATE)); bitmap.compress(Bitmap.CompressFormat.JPEG, quality, bos); // PNG Log.d(TAG, "Writing file: " + file); } catch (IOException ioe) { Log.e(TAG, ioe.getMessage()); } finally { try { if (bos != null) { bitmap.recycle(); bos.flush(); bos.close(); } // bitmap.recycle(); } catch (IOException e) { Log.e(TAG, "Could not close file."); } } } private String writeToFile(InputStream is, String filename) { Log.d("LDS", "new write to file"); BufferedInputStream in = null; BufferedOutputStream out = null; try { in = new BufferedInputStream(is); out = new BufferedOutputStream(mContext.openFileOutput(filename, Context.MODE_PRIVATE)); byte[] buffer = new byte[1024]; int l; while ((l = in.read(buffer)) != -1) { out.write(buffer, 0, l); } } catch (IOException ioe) { ioe.printStackTrace(); } finally { try { if (in != null) in.close(); if (out != null) { Log.d("LDS", "new write to file to -> " + filename); out.flush(); out.close(); } } catch (IOException ioe) { ioe.printStackTrace(); } } return mContext.getFilesDir() + "/" + filename; } public Bitmap get(File file) { return get(file.getPath()); } /** * 判断缓存着中是否存在该文件对应的bitmap */ public boolean isContains(String file) { return mCache.containsKey(file); } /** * 获得指定file/URL对应的Bitmap,首先找本地文件,如果有直接使用,否则去网上获取 * * @param file * file URL/file PATH * @param bitmap * @param quality * @throws HttpException */ public Bitmap safeGet(String file) throws HttpException { Bitmap bitmap = lookupFile(file); // first try file. if (bitmap != null) { synchronized (this) { // memory cache mCache.put(file, new SoftReference<Bitmap>(bitmap)); } return bitmap; } else { // get from web String url = file; bitmap = downloadImage2(url); // 注释掉以测试新的写入文件方法 // put(file, bitmap); // file Cache return bitmap; } } /** * 从缓存器中读取文件 * * @param file * file URL/file PATH * @param bitmap * @param quality */ public Bitmap get(String file) { SoftReference<Bitmap> ref; Bitmap bitmap; // Look in memory first. synchronized (this) { ref = mCache.get(file); } if (ref != null) { bitmap = ref.get(); if (bitmap != null) { return bitmap; } } // Now try file. bitmap = lookupFile(file); if (bitmap != null) { synchronized (this) { mCache.put(file, new SoftReference<Bitmap>(bitmap)); } return bitmap; } // TODO: why? // upload: see profileImageCacheManager line 96 Log.w(TAG, "Image is missing: " + file); // return the default photo return mDefaultBitmap; } public boolean contains(String url) { return get(url) != mDefaultBitmap; } public void clear() { String[] files = mContext.fileList(); for (String file : files) { mContext.deleteFile(file); } synchronized (this) { mCache.clear(); } } public void cleanup(HashSet<String> keepers) { String[] files = mContext.fileList(); HashSet<String> hashedUrls = new HashSet<String>(); for (String imageUrl : keepers) { hashedUrls.add(getMd5(imageUrl)); } for (String file : files) { if (!hashedUrls.contains(file)) { Log.d(TAG, "Deleting unused file: " + file); mContext.deleteFile(file); } } } /** * Compress and resize the Image * * <br /> * 因为不论图片大小和尺寸如何, 饭否都会对图片进行一次有损压缩, 所以本地压缩应该 考虑图片将会被二次压缩所造成的图片质量损耗 * * @param targetFile * @param quality * , 0~100, recommend 100 * @return * @throws IOException */ public File compressImage(File targetFile, int quality) throws IOException { String filepath = targetFile.getAbsolutePath(); // 1. Calculate scale int scale = 1; BitmapFactory.Options o = new BitmapFactory.Options(); o.inJustDecodeBounds = true; BitmapFactory.decodeFile(filepath, o); if (o.outWidth > IMAGE_MAX_WIDTH || o.outHeight > IMAGE_MAX_HEIGHT) { scale = (int) Math.pow( 2.0, (int) Math.round(Math.log(IMAGE_MAX_WIDTH / (double) Math.max(o.outHeight, o.outWidth)) / Math.log(0.5))); // scale = 2; } Log.d(TAG, scale + " scale"); // 2. File -> Bitmap (Returning a smaller image) o.inJustDecodeBounds = false; o.inSampleSize = scale; Bitmap bitmap = BitmapFactory.decodeFile(filepath, o); // 2.1. Resize Bitmap // bitmap = resizeBitmap(bitmap, IMAGE_MAX_WIDTH, IMAGE_MAX_HEIGHT); // 3. Bitmap -> File writeFile(filepath, bitmap, quality); // 4. Get resized Image File String filePath = getMd5(targetFile.getPath()); File compressedImage = mContext.getFileStreamPath(filePath); return compressedImage; } /** * 保持长宽比缩小Bitmap * * @param bitmap * @param maxWidth * @param maxHeight * @param quality * 1~100 * @return */ public Bitmap resizeBitmap(Bitmap bitmap, int maxWidth, int maxHeight) { int originWidth = bitmap.getWidth(); int originHeight = bitmap.getHeight(); // no need to resize if (originWidth < maxWidth && originHeight < maxHeight) { return bitmap; } int newWidth = originWidth; int newHeight = originHeight; // 若图片过宽, 则保持长宽比缩放图片 if (originWidth > maxWidth) { newWidth = maxWidth; double i = originWidth * 1.0 / maxWidth; newHeight = (int) Math.floor(originHeight / i); bitmap = Bitmap.createScaledBitmap(bitmap, newWidth, newHeight, true); } // 若图片过长, 则从中部截取 if (newHeight > maxHeight) { newHeight = maxHeight; int half_diff = (int) ((originHeight - maxHeight) / 2.0); bitmap = Bitmap.createBitmap(bitmap, 0, half_diff, newWidth, newHeight); } Log.d(TAG, newWidth + " width"); Log.d(TAG, newHeight + " height"); return bitmap; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/ImageManager.java
Java
asf20
13,800
package com.ch_linghu.fanfoudroid.app; import android.graphics.Bitmap; import android.widget.ImageView; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.app.LazyImageLoader.ImageLoaderCallback; public class SimpleImageLoader { public static void display(final ImageView imageView, String url) { imageView.setTag(url); imageView.setImageBitmap(TwitterApplication.mImageLoader.get(url, createImageViewCallback(imageView, url))); } public static ImageLoaderCallback createImageViewCallback( final ImageView imageView, String url) { return new ImageLoaderCallback() { @Override public void refresh(String url, Bitmap bitmap) { if (url.equals(imageView.getTag())) { imageView.setImageBitmap(bitmap); } } }; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/SimpleImageLoader.java
Java
asf20
789
package com.ch_linghu.fanfoudroid.app; import java.lang.Thread.State; import java.util.ArrayList; import java.util.List; import java.util.concurrent.ArrayBlockingQueue; import java.util.concurrent.BlockingQueue; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.TimeUnit; import android.graphics.Bitmap; import android.os.Bundle; import android.os.Handler; import android.os.Message; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.http.HttpException; public class LazyImageLoader { private static final String TAG = "ProfileImageCacheManager"; public static final int HANDLER_MESSAGE_ID = 1; public static final String EXTRA_BITMAP = "extra_bitmap"; public static final String EXTRA_IMAGE_URL = "extra_image_url"; private ImageManager mImageManager = new ImageManager( TwitterApplication.mContext); private BlockingQueue<String> mUrlList = new ArrayBlockingQueue<String>(50); private CallbackManager mCallbackManager = new CallbackManager(); private GetImageTask mTask = new GetImageTask(); /** * 取图片, 可能直接从cache中返回, 或下载图片后返回 * * @param url * @param callback * @return */ public Bitmap get(String url, ImageLoaderCallback callback) { Bitmap bitmap = ImageCache.mDefaultBitmap; if (mImageManager.isContains(url)) { bitmap = mImageManager.get(url); } else { // bitmap不存在,启动Task进行下载 mCallbackManager.put(url, callback); startDownloadThread(url); } return bitmap; } private void startDownloadThread(String url) { if (url != null) { addUrlToDownloadQueue(url); } // Start Thread State state = mTask.getState(); if (Thread.State.NEW == state) { mTask.start(); // first start } else if (Thread.State.TERMINATED == state) { mTask = new GetImageTask(); // restart mTask.start(); } } private void addUrlToDownloadQueue(String url) { if (!mUrlList.contains(url)) { try { mUrlList.put(url); } catch (InterruptedException e) { // TODO Auto-generated catch block e.printStackTrace(); } } } // Low-level interface to get ImageManager public ImageManager getImageManager() { return mImageManager; } private class GetImageTask extends Thread { private volatile boolean mTaskTerminated = false; private static final int TIMEOUT = 3 * 60; private boolean isPermanent = true; @Override public void run() { try { while (!mTaskTerminated) { String url; if (isPermanent) { url = mUrlList.take(); } else { url = mUrlList.poll(TIMEOUT, TimeUnit.SECONDS); // waiting if (null == url) { break; } // no more, shutdown } // Bitmap bitmap = ImageCache.mDefaultBitmap; final Bitmap bitmap = mImageManager.safeGet(url); // use handler to process callback final Message m = handler.obtainMessage(HANDLER_MESSAGE_ID); Bundle bundle = m.getData(); bundle.putString(EXTRA_IMAGE_URL, url); bundle.putParcelable(EXTRA_BITMAP, bitmap); handler.sendMessage(m); } } catch (HttpException ioe) { Log.e(TAG, "Get Image failed, " + ioe.getMessage()); } catch (InterruptedException e) { Log.w(TAG, e.getMessage()); } finally { Log.v(TAG, "Get image task terminated."); mTaskTerminated = true; } } @SuppressWarnings("unused") public boolean isPermanent() { return isPermanent; } @SuppressWarnings("unused") public void setPermanent(boolean isPermanent) { this.isPermanent = isPermanent; } @SuppressWarnings("unused") public void shutDown() throws InterruptedException { mTaskTerminated = true; } } Handler handler = new Handler() { @Override public void handleMessage(Message msg) { switch (msg.what) { case HANDLER_MESSAGE_ID: final Bundle bundle = msg.getData(); String url = bundle.getString(EXTRA_IMAGE_URL); Bitmap bitmap = (Bitmap) (bundle.get(EXTRA_BITMAP)); // callback mCallbackManager.call(url, bitmap); break; default: // do nothing. } } }; public interface ImageLoaderCallback { void refresh(String url, Bitmap bitmap); } public static class CallbackManager { private static final String TAG = "CallbackManager"; private ConcurrentHashMap<String, List<ImageLoaderCallback>> mCallbackMap; public CallbackManager() { mCallbackMap = new ConcurrentHashMap<String, List<ImageLoaderCallback>>(); } public void put(String url, ImageLoaderCallback callback) { Log.v(TAG, "url=" + url); if (!mCallbackMap.containsKey(url)) { Log.v(TAG, "url does not exist, add list to map"); mCallbackMap.put(url, new ArrayList<ImageLoaderCallback>()); // mCallbackMap.put(url, Collections.synchronizedList(new // ArrayList<ImageLoaderCallback>())); } mCallbackMap.get(url).add(callback); Log.v(TAG, "Add callback to list, count(url)=" + mCallbackMap.get(url).size()); } public void call(String url, Bitmap bitmap) { Log.v(TAG, "call url=" + url); List<ImageLoaderCallback> callbackList = mCallbackMap.get(url); if (callbackList == null) { // FIXME: 有时会到达这里,原因我还没想明白 Log.e(TAG, "callbackList=null"); return; } for (ImageLoaderCallback callback : callbackList) { if (callback != null) { callback.refresh(url, bitmap); } } callbackList.clear(); mCallbackMap.remove(url); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/LazyImageLoader.java
Java
asf20
5,467
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid.app; public class Preferences { public static final String USERNAME_KEY = "username"; public static final String PASSWORD_KEY = "password"; public static final String CHECK_UPDATES_KEY = "check_updates"; public static final String CHECK_UPDATE_INTERVAL_KEY = "check_update_interval"; public static final String VIBRATE_KEY = "vibrate"; public static final String TIMELINE_ONLY_KEY = "timeline_only"; public static final String REPLIES_ONLY_KEY = "replies_only"; public static final String DM_ONLY_KEY = "dm_only"; public static String RINGTONE_KEY = "ringtone"; public static final String RINGTONE_DEFAULT_KEY = "content://settings/system/notification_sound"; public static final String LAST_TWEET_REFRESH_KEY = "last_tweet_refresh"; public static final String LAST_DM_REFRESH_KEY = "last_dm_refresh"; public static final String LAST_FOLLOWERS_REFRESH_KEY = "last_followers_refresh"; public static final String TWITTER_ACTIVITY_STATE_KEY = "twitter_activity_state"; public static final String HIGHLIGHT_BACKGROUND = "highlight_background"; public static final String USE_PROFILE_IMAGE = "use_profile_image"; public static final String PHOTO_PREVIEW = "photo_preview"; public static final String FORCE_SHOW_ALL_IMAGE = "force_show_all_image"; public static final String RT_PREFIX_KEY = "rt_prefix"; public static final String RT_INSERT_APPEND = "rt_insert_append"; // 转发时光标放置在开始还是结尾 public static final String NETWORK_TYPE = "network_type"; // DEBUG标记 public static final String DEBUG = "debug"; // 当前用户相关信息 public static final String CURRENT_USER_ID = "current_user_id"; public static final String CURRENT_USER_SCREEN_NAME = "current_user_screenname"; public static final String UI_FONT_SIZE = "ui_font_size"; public static final String USE_ENTER_SEND = "use_enter_send"; public static final String USE_GESTRUE = "use_gestrue"; public static final String USE_SHAKE = "use_shake"; public static final String FORCE_SCREEN_ORIENTATION_PORTRAIT = "force_screen_orientation_portrait"; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/Preferences.java
Java
asf20
2,768
package com.ch_linghu.fanfoudroid.app; import java.util.HashMap; import android.graphics.Bitmap; public class MemoryImageCache implements ImageCache { private HashMap<String, Bitmap> mCache; public MemoryImageCache() { mCache = new HashMap<String, Bitmap>(); } @Override public Bitmap get(String url) { synchronized (this) { Bitmap bitmap = mCache.get(url); if (bitmap == null) { return mDefaultBitmap; } else { return bitmap; } } } @Override public void put(String url, Bitmap bitmap) { synchronized (this) { mCache.put(url, bitmap); } } public void putAll(MemoryImageCache imageCache) { synchronized (this) { // TODO: is this thread safe? mCache.putAll(imageCache.mCache); } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/MemoryImageCache.java
Java
asf20
785
package com.ch_linghu.fanfoudroid.app; import android.text.Spannable; import android.text.method.LinkMovementMethod; import android.text.method.MovementMethod; import android.view.MotionEvent; import android.widget.TextView; public class TestMovementMethod extends LinkMovementMethod { private double mY; private boolean mIsMoving = false; @Override public boolean onTouchEvent(TextView widget, Spannable buffer, MotionEvent event) { /* * int action = event.getAction(); * * if (action == MotionEvent.ACTION_MOVE) { double deltaY = mY - * event.getY(); mY = event.getY(); * * Log.d("foo", deltaY + ""); * * if (Math.abs(deltaY) > 1) { mIsMoving = true; } } else if (action == * MotionEvent.ACTION_DOWN) { mIsMoving = false; mY = event.getY(); } * else if (action == MotionEvent.ACTION_UP) { boolean wasMoving = * mIsMoving; mIsMoving = false; * * if (wasMoving) { return true; } } */ return super.onTouchEvent(widget, buffer, event); } public static MovementMethod getInstance() { if (sInstance == null) sInstance = new TestMovementMethod(); return sInstance; } private static TestMovementMethod sInstance; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/TestMovementMethod.java
Java
asf20
1,229
package com.ch_linghu.fanfoudroid.app; import android.graphics.Bitmap; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.TwitterApplication; public interface ImageCache { public static Bitmap mDefaultBitmap = ImageManager .drawableToBitmap(TwitterApplication.mContext.getResources() .getDrawable(R.drawable.user_default_photo)); public Bitmap get(String url); public void put(String url, Bitmap bitmap); }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/ImageCache.java
Java
asf20
457
package com.ch_linghu.fanfoudroid.app; import android.app.Activity; import android.content.Intent; import android.widget.Toast; import com.ch_linghu.fanfoudroid.LoginActivity; import com.ch_linghu.fanfoudroid.R; import com.ch_linghu.fanfoudroid.fanfou.RefuseError; import com.ch_linghu.fanfoudroid.http.HttpAuthException; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.http.HttpRefusedException; import com.ch_linghu.fanfoudroid.http.HttpServerException; public class ExceptionHandler { private Activity mActivity; public ExceptionHandler(Activity activity) { mActivity = activity; } public void handle(HttpException e) { Throwable cause = e.getCause(); if (null == cause) return; // Handle Different Exception if (cause instanceof HttpAuthException) { // 用户名/密码错误 Toast.makeText(mActivity, R.string.error_not_authorized, Toast.LENGTH_LONG).show(); Intent intent = new Intent(mActivity, LoginActivity.class); mActivity.startActivity(intent); // redirect to the login activity } else if (cause instanceof HttpServerException) { // 服务器暂时无法响应 Toast.makeText(mActivity, R.string.error_not_authorized, Toast.LENGTH_LONG).show(); } else if (cause instanceof HttpAuthException) { // FIXME: 集中处理用户名/密码验证错误,返回到登录界面 } else if (cause instanceof HttpRefusedException) { // 服务器拒绝请求,如没有权限查看某用户信息 RefuseError error = ((HttpRefusedException) cause).getError(); switch (error.getErrorCode()) { // TODO: finish it case -1: default: Toast.makeText(mActivity, error.getMessage(), Toast.LENGTH_LONG) .show(); break; } } } private void handleCause() { } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/app/ExceptionHandler.java
Java
asf20
1,794
package com.ch_linghu.fanfoudroid; import java.util.ArrayList; import java.util.List; import android.app.ActivityManager; import android.app.ActivityManager.RunningServiceInfo; import android.app.PendingIntent; import android.appwidget.AppWidgetManager; import android.appwidget.AppWidgetProvider; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.database.Cursor; import android.graphics.Bitmap; import android.hardware.SensorManager; import android.util.Log; import android.widget.RemoteViews; import com.ch_linghu.fanfoudroid.app.LazyImageLoader.ImageLoaderCallback; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.service.TwitterService; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; import com.ch_linghu.fanfoudroid.util.TextHelper; import com.ch_linghu.fanfoudroid.R; public class FanfouWidget extends AppWidgetProvider { public final String TAG = "FanfouWidget"; public final String NEXTACTION = "com.ch_linghu.fanfoudroid.FanfouWidget.NEXT"; public final String PREACTION = "com.ch_linghu.fanfoudroid.FanfouWidget.PREV"; private static List<Tweet> tweets; private SensorManager sensorManager; private static int position = 0; class CacheCallback implements ImageLoaderCallback { private RemoteViews updateViews; CacheCallback(RemoteViews updateViews) { this.updateViews = updateViews; } @Override public void refresh(String url, Bitmap bitmap) { updateViews.setImageViewBitmap(R.id.status_image, bitmap); } } @Override public void onUpdate(Context context, AppWidgetManager appwidgetmanager, int[] appWidgetIds) { Log.d(TAG, "onUpdate"); TwitterService.setWidgetStatus(true); // if (!isRunning(context, WidgetService.class.getName())) { // Intent i = new Intent(context, WidgetService.class); // context.startService(i); // } update(context); } private void update(Context context) { fetchMessages(); position = 0; refreshView(context, NEXTACTION); } private TwitterDatabase getDb() { return TwitterApplication.mDb; } public String getUserId() { return TwitterApplication.getMyselfId(false); } private void fetchMessages() { if (tweets == null) { tweets = new ArrayList<Tweet>(); } else { tweets.clear(); } Cursor cursor = getDb().fetchAllTweets(getUserId(), StatusTable.TYPE_HOME); if (cursor != null) { if (cursor.moveToFirst()) { do { Tweet tweet = StatusTable.parseCursor(cursor); tweets.add(tweet); } while (cursor.moveToNext()); } } Log.d(TAG, "Tweets size " + tweets.size()); } private void refreshView(Context context) { ComponentName fanfouWidget = new ComponentName(context, FanfouWidget.class); AppWidgetManager manager = AppWidgetManager.getInstance(context); manager.updateAppWidget(fanfouWidget, buildLogin(context)); } private RemoteViews buildLogin(Context context) { RemoteViews updateViews = new RemoteViews(context.getPackageName(), R.layout.widget_initial_layout); updateViews.setTextViewText(R.id.status_text, TextHelper.getSimpleTweetText("请登录")); updateViews.setTextViewText(R.id.status_screen_name, ""); updateViews.setTextViewText(R.id.tweet_source, ""); updateViews.setTextViewText(R.id.tweet_created_at, ""); return updateViews; } private void refreshView(Context context, String action) { // 某些情况下,tweets会为null if (tweets == null) { fetchMessages(); } // 防止引发IndexOutOfBoundsException if (tweets.size() != 0) { if (action.equals(NEXTACTION)) { --position; } else if (action.equals(PREACTION)) { ++position; } // Log.d(TAG, "Tweets size =" + tweets.size()); if (position >= tweets.size() || position < 0) { position = 0; } // Log.d(TAG, "position=" + position); ComponentName fanfouWidget = new ComponentName(context, FanfouWidget.class); AppWidgetManager manager = AppWidgetManager.getInstance(context); manager.updateAppWidget(fanfouWidget, buildUpdate(context)); } } public RemoteViews buildUpdate(Context context) { RemoteViews updateViews = new RemoteViews(context.getPackageName(), R.layout.widget_initial_layout); Tweet t = tweets.get(position); Log.d(TAG, "tweet=" + t); updateViews.setTextViewText(R.id.status_screen_name, t.screenName); updateViews.setTextViewText(R.id.status_text, TextHelper.getSimpleTweetText(t.text)); updateViews.setTextViewText(R.id.tweet_source, context.getString(R.string.tweet_source_prefix) + t.source); updateViews.setTextViewText(R.id.tweet_created_at, DateTimeHelper.getRelativeDate(t.createdAt)); updateViews.setImageViewBitmap(R.id.status_image, TwitterApplication.mImageLoader.get(t.profileImageUrl, new CacheCallback(updateViews))); Intent inext = new Intent(context, FanfouWidget.class); inext.setAction(NEXTACTION); PendingIntent pinext = PendingIntent.getBroadcast(context, 0, inext, PendingIntent.FLAG_UPDATE_CURRENT); updateViews.setOnClickPendingIntent(R.id.btn_next, pinext); Intent ipre = new Intent(context, FanfouWidget.class); ipre.setAction(PREACTION); PendingIntent pipre = PendingIntent.getBroadcast(context, 0, ipre, PendingIntent.FLAG_UPDATE_CURRENT); updateViews.setOnClickPendingIntent(R.id.btn_pre, pipre); Intent write = WriteActivity.createNewTweetIntent(""); PendingIntent piwrite = PendingIntent.getActivity(context, 0, write, PendingIntent.FLAG_UPDATE_CURRENT); updateViews.setOnClickPendingIntent(R.id.write_message, piwrite); Intent home = TwitterActivity.createIntent(context); PendingIntent pihome = PendingIntent.getActivity(context, 0, home, PendingIntent.FLAG_UPDATE_CURRENT); updateViews.setOnClickPendingIntent(R.id.logo_image, pihome); Intent status = StatusActivity.createIntent(t); PendingIntent pistatus = PendingIntent.getActivity(context, 0, status, PendingIntent.FLAG_UPDATE_CURRENT); updateViews.setOnClickPendingIntent(R.id.main_body, pistatus); return updateViews; } @Override public void onReceive(Context context, Intent intent) { Log.d(TAG, "OnReceive"); // FIXME: NullPointerException Log.i(TAG, context.getApplicationContext().toString()); if (!TwitterApplication.mApi.isLoggedIn()) { refreshView(context); } else { super.onReceive(context, intent); String action = intent.getAction(); if (NEXTACTION.equals(action) || PREACTION.equals(action)) { refreshView(context, intent.getAction()); } else if (AppWidgetManager.ACTION_APPWIDGET_UPDATE.equals(action)) { update(context); } } } /** * * @param c * @param serviceName * @return */ @Deprecated public boolean isRunning(Context c, String serviceName) { ActivityManager myAM = (ActivityManager) c .getSystemService(Context.ACTIVITY_SERVICE); ArrayList<RunningServiceInfo> runningServices = (ArrayList<RunningServiceInfo>) myAM .getRunningServices(40); // 获取最多40个当前正在运行的服务,放进ArrList里,以现在手机的处理能力,要是超过40个服务,估计已经卡死,所以不用考虑超过40个该怎么办 int servicesSize = runningServices.size(); for (int i = 0; i < servicesSize; i++)// 循环枚举对比 { if (runningServices.get(i).service.getClassName().toString() .equals(serviceName)) { return true; } } return false; } @Override public void onDeleted(Context context, int[] appWidgetIds) { Log.d(TAG, "onDeleted"); } @Override public void onEnabled(Context context) { Log.d(TAG, "onEnabled"); TwitterService.setWidgetStatus(true); } @Override public void onDisabled(Context context) { Log.d(TAG, "onDisabled"); TwitterService.setWidgetStatus(false); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/FanfouWidget.java
Java
asf20
8,139
package com.ch_linghu.fanfoudroid; import java.text.MessageFormat; import android.app.AlertDialog; import android.app.AlertDialog.Builder; import android.app.Dialog; import android.app.ProgressDialog; import android.content.ContentValues; import android.content.DialogInterface; import android.content.Intent; import android.database.Cursor; import android.graphics.Bitmap; import android.net.Uri; import android.os.Bundle; import android.provider.BaseColumns; import android.text.TextUtils; import android.util.Log; import android.view.View; import android.view.View.OnClickListener; import android.widget.Button; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.RelativeLayout; import android.widget.TextView; import android.widget.Toast; import com.ch_linghu.fanfoudroid.app.LazyImageLoader.ImageLoaderCallback; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.db.UserInfoTable; import com.ch_linghu.fanfoudroid.fanfou.User; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.ui.base.BaseActivity; import com.ch_linghu.fanfoudroid.ui.module.Feedback; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory; import com.ch_linghu.fanfoudroid.ui.module.FeedbackFactory.FeedbackType; import com.ch_linghu.fanfoudroid.ui.module.NavBar; import com.ch_linghu.fanfoudroid.R; /** * * @author Dino 2011-02-26 */ // public class ProfileActivity extends WithHeaderActivity { public class ProfileActivity extends BaseActivity { private static final String TAG = "ProfileActivity"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.PROFILE"; private static final String STATUS_COUNT = "status_count"; private static final String EXTRA_USER = "user"; private static final String FANFOUROOT = "http://fanfou.com/"; private static final String USER_ID = "userid"; private static final String USER_NAME = "userName"; private GenericTask profileInfoTask;// 获取用户信息 private GenericTask setFollowingTask; private GenericTask cancelFollowingTask; private String userId; private String userName; private String myself; private User profileInfo;// 用户信息 private ImageView profileImageView;// 头像 private TextView profileName;// 名称 private TextView profileScreenName;// 昵称 private TextView userLocation;// 地址 private TextView userUrl;// url private TextView userInfo;// 自述 private TextView friendsCount;// 好友 private TextView followersCount;// 收听 private TextView statusCount;// 消息 private TextView favouritesCount;// 收藏 private TextView isFollowingText;// 是否关注 private Button followingBtn;// 收听/取消关注按钮 private Button sendMentionBtn;// 发送留言按钮 private Button sendDmBtn;// 发送私信按钮 private ProgressDialog dialog; // 请稍候 private RelativeLayout friendsLayout; private LinearLayout followersLayout; private LinearLayout statusesLayout; private LinearLayout favouritesLayout; private NavBar mNavBar; private Feedback mFeedback; private TwitterDatabase db; public static Intent createIntent(String userId) { Intent intent = new Intent(LAUNCH_ACTION); intent.putExtra(USER_ID, userId); return intent; } private ImageLoaderCallback callback = new ImageLoaderCallback() { @Override public void refresh(String url, Bitmap bitmap) { profileImageView.setImageBitmap(bitmap); } }; @Override protected boolean _onCreate(Bundle savedInstanceState) { Log.d(TAG, "OnCreate start"); if (super._onCreate(savedInstanceState)) { setContentView(R.layout.profile); Intent intent = getIntent(); Bundle extras = intent.getExtras(); myself = TwitterApplication.getMyselfId(false); if (extras != null) { this.userId = extras.getString(USER_ID); this.userName = extras.getString(USER_NAME); } else { this.userId = myself; this.userName = TwitterApplication.getMyselfName(false); } Uri data = intent.getData(); if (data != null) { userId = data.getLastPathSegment(); } // 初始化控件 initControls(); Log.d(TAG, "the userid is " + userId); db = this.getDb(); draw(); return true; } else { return false; } } private void initControls() { mNavBar = new NavBar(NavBar.HEADER_STYLE_HOME, this); mNavBar.setHeaderTitle(""); mFeedback = FeedbackFactory.create(this, FeedbackType.PROGRESS); sendMentionBtn = (Button) findViewById(R.id.sendmetion_btn); sendDmBtn = (Button) findViewById(R.id.senddm_btn); profileImageView = (ImageView) findViewById(R.id.profileimage); profileName = (TextView) findViewById(R.id.profilename); profileScreenName = (TextView) findViewById(R.id.profilescreenname); userLocation = (TextView) findViewById(R.id.user_location); userUrl = (TextView) findViewById(R.id.user_url); userInfo = (TextView) findViewById(R.id.tweet_user_info); friendsCount = (TextView) findViewById(R.id.friends_count); followersCount = (TextView) findViewById(R.id.followers_count); TextView friendsCountTitle = (TextView) findViewById(R.id.friends_count_title); TextView followersCountTitle = (TextView) findViewById(R.id.followers_count_title); String who; if (userId.equals(myself)) { who = "我"; } else { who = "ta"; } friendsCountTitle.setText(MessageFormat.format( getString(R.string.profile_friends_count_title), who)); followersCountTitle.setText(MessageFormat.format( getString(R.string.profile_followers_count_title), who)); statusCount = (TextView) findViewById(R.id.statuses_count); favouritesCount = (TextView) findViewById(R.id.favourites_count); friendsLayout = (RelativeLayout) findViewById(R.id.friendsLayout); followersLayout = (LinearLayout) findViewById(R.id.followersLayout); statusesLayout = (LinearLayout) findViewById(R.id.statusesLayout); favouritesLayout = (LinearLayout) findViewById(R.id.favouritesLayout); isFollowingText = (TextView) findViewById(R.id.isfollowing_text); followingBtn = (Button) findViewById(R.id.following_btn); // 为按钮面板添加事件 friendsLayout.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { // 在没有得到profileInfo时,不允许点击事件生效 if (profileInfo == null) { return; } String showName; if (!TextUtils.isEmpty(profileInfo.getScreenName())) { showName = profileInfo.getScreenName(); } else { showName = profileInfo.getName(); } Intent intent = FollowingActivity .createIntent(userId, showName); intent.setClass(ProfileActivity.this, FollowingActivity.class); startActivity(intent); } }); followersLayout.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { // 在没有得到profileInfo时,不允许点击事件生效 if (profileInfo == null) { return; } String showName; if (!TextUtils.isEmpty(profileInfo.getScreenName())) { showName = profileInfo.getScreenName(); } else { showName = profileInfo.getName(); } Intent intent = FollowersActivity .createIntent(userId, showName); intent.setClass(ProfileActivity.this, FollowersActivity.class); startActivity(intent); } }); statusesLayout.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { // 在没有得到profileInfo时,不允许点击事件生效 if (profileInfo == null) { return; } String showName; if (!TextUtils.isEmpty(profileInfo.getScreenName())) { showName = profileInfo.getScreenName(); } else { showName = profileInfo.getName(); } Intent intent = UserTimelineActivity.createIntent( profileInfo.getId(), showName); launchActivity(intent); } }); favouritesLayout.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { // 在没有得到profileInfo时,不允许点击事件生效 if (profileInfo == null) { return; } Intent intent = FavoritesActivity.createIntent(userId, profileInfo.getName()); intent.setClass(ProfileActivity.this, FavoritesActivity.class); startActivity(intent); } }); // 刷新 View.OnClickListener refreshListener = new View.OnClickListener() { @Override public void onClick(View v) { doGetProfileInfo(); } }; mNavBar.getRefreshButton().setOnClickListener(refreshListener); } private void draw() { Log.d(TAG, "draw"); bindProfileInfo(); // doGetProfileInfo(); } @Override protected void onResume() { super.onResume(); Log.d(TAG, "onResume."); } @Override protected void onStart() { super.onStart(); Log.d(TAG, "onStart."); } @Override protected void onStop() { super.onStop(); Log.d(TAG, "onStop."); } /** * 从数据库获取,如果数据库不存在则创建 */ private void bindProfileInfo() { dialog = ProgressDialog.show(ProfileActivity.this, "请稍候", "正在加载信息..."); if (null != db && db.existsUser(userId)) { Cursor cursor = db.getUserInfoById(userId); profileInfo = User.parseUser(cursor); cursor.close(); if (profileInfo == null) { Log.w(TAG, "cannot get userinfo from userinfotable the id is" + userId); } bindControl(); if (dialog != null) { dialog.dismiss(); } } else { doGetProfileInfo(); } } private void doGetProfileInfo() { mFeedback.start(""); if (profileInfoTask != null && profileInfoTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { profileInfoTask = new GetProfileTask(); profileInfoTask.setListener(profileInfoTaskListener); TaskParams params = new TaskParams(); profileInfoTask.execute(params); } } private void bindControl() { if (profileInfo.getId().equals(myself)) { sendMentionBtn.setVisibility(View.GONE); sendDmBtn.setVisibility(View.GONE); } else { // 发送留言 sendMentionBtn.setVisibility(View.VISIBLE); sendMentionBtn.setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { Intent intent = WriteActivity.createNewTweetIntent(String .format("@%s ", profileInfo.getScreenName())); startActivity(intent); } }); // 发送私信 sendDmBtn.setVisibility(View.VISIBLE); sendDmBtn.setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { Intent intent = WriteDmActivity.createIntent(profileInfo .getId()); startActivity(intent); } }); } if (userId.equals(myself)) { mNavBar.setHeaderTitle("我" + getString(R.string.cmenu_user_profile_prefix)); } else { mNavBar.setHeaderTitle(profileInfo.getScreenName() + getString(R.string.cmenu_user_profile_prefix)); } profileImageView.setImageBitmap(TwitterApplication.mImageLoader.get( profileInfo.getProfileImageURL().toString(), callback)); profileName.setText(profileInfo.getId()); profileScreenName.setText(profileInfo.getScreenName()); if (profileInfo.getId().equals(myself)) { isFollowingText.setText(R.string.profile_isyou); followingBtn.setVisibility(View.GONE); } else if (profileInfo.isFollowing()) { isFollowingText.setText(R.string.profile_isfollowing); followingBtn.setVisibility(View.VISIBLE); followingBtn.setText(R.string.user_label_unfollow); followingBtn.setOnClickListener(cancelFollowingListener); followingBtn.setCompoundDrawablesWithIntrinsicBounds(getResources() .getDrawable(R.drawable.ic_unfollow), null, null, null); } else { isFollowingText.setText(R.string.profile_notfollowing); followingBtn.setVisibility(View.VISIBLE); followingBtn.setText(R.string.user_label_follow); followingBtn.setOnClickListener(setfollowingListener); followingBtn.setCompoundDrawablesWithIntrinsicBounds(getResources() .getDrawable(R.drawable.ic_follow), null, null, null); } String location = profileInfo.getLocation(); if (location == null || location.length() == 0) { location = getResources().getString(R.string.profile_location_null); } userLocation.setText(location); if (profileInfo.getURL() != null) { userUrl.setText(profileInfo.getURL().toString()); } else { userUrl.setText(FANFOUROOT + profileInfo.getId()); } String description = profileInfo.getDescription(); if (description == null || description.length() == 0) { description = getResources().getString( R.string.profile_description_null); } userInfo.setText(description); friendsCount.setText(String.valueOf(profileInfo.getFriendsCount())); followersCount.setText(String.valueOf(profileInfo.getFollowersCount())); statusCount.setText(String.valueOf(profileInfo.getStatusesCount())); favouritesCount .setText(String.valueOf(profileInfo.getFavouritesCount())); } private TaskListener profileInfoTaskListener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { // 加载成功 if (result == TaskResult.OK) { mFeedback.success(""); // 绑定控件 bindControl(); if (dialog != null) { dialog.dismiss(); } } } @Override public String getName() { return "GetProfileInfo"; } }; /** * 更新数据库中的用户 * * @return */ private boolean updateUser() { ContentValues v = new ContentValues(); v.put(BaseColumns._ID, profileInfo.getName()); v.put(UserInfoTable.FIELD_USER_NAME, profileInfo.getName()); v.put(UserInfoTable.FIELD_USER_SCREEN_NAME, profileInfo.getScreenName()); v.put(UserInfoTable.FIELD_PROFILE_IMAGE_URL, profileInfo .getProfileImageURL().toString()); v.put(UserInfoTable.FIELD_LOCALTION, profileInfo.getLocation()); v.put(UserInfoTable.FIELD_DESCRIPTION, profileInfo.getDescription()); v.put(UserInfoTable.FIELD_PROTECTED, profileInfo.isProtected()); v.put(UserInfoTable.FIELD_FOLLOWERS_COUNT, profileInfo.getFollowersCount()); v.put(UserInfoTable.FIELD_LAST_STATUS, profileInfo.getStatusSource()); v.put(UserInfoTable.FIELD_FRIENDS_COUNT, profileInfo.getFriendsCount()); v.put(UserInfoTable.FIELD_FAVORITES_COUNT, profileInfo.getFavouritesCount()); v.put(UserInfoTable.FIELD_STATUSES_COUNT, profileInfo.getStatusesCount()); v.put(UserInfoTable.FIELD_FOLLOWING, profileInfo.isFollowing()); if (profileInfo.getURL() != null) { v.put(UserInfoTable.FIELD_URL, profileInfo.getURL().toString()); } return db.updateUser(profileInfo.getId(), v); } /** * 获取用户信息task * * @author Dino * */ private class GetProfileTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { Log.v(TAG, "get profile task"); try { profileInfo = getApi().showUser(userId); mFeedback.update(80); if (profileInfo != null) { if (null != db && !db.existsUser(userId)) { com.ch_linghu.fanfoudroid.data.User userinfodb = profileInfo .parseUser(); db.createUserInfo(userinfodb); } else { // 更新用户 updateUser(); } } } catch (HttpException e) { Log.e(TAG, e.getMessage()); return TaskResult.FAILED; } mFeedback.update(99); return TaskResult.OK; } } /** * 设置关注监听 */ private OnClickListener setfollowingListener = new OnClickListener() { @Override public void onClick(View v) { Builder diaBuilder = new AlertDialog.Builder(ProfileActivity.this) .setTitle("关注提示").setMessage("确实要添加关注吗?"); diaBuilder.setPositiveButton("确定", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (setFollowingTask != null && setFollowingTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { setFollowingTask = new SetFollowingTask(); setFollowingTask .setListener(setFollowingTaskLinstener); TaskParams params = new TaskParams(); setFollowingTask.execute(params); } } }); diaBuilder.setNegativeButton("取消", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); } }); Dialog dialog = diaBuilder.create(); dialog.show(); } }; /* * 取消关注监听 */ private OnClickListener cancelFollowingListener = new OnClickListener() { @Override public void onClick(View v) { Builder diaBuilder = new AlertDialog.Builder(ProfileActivity.this) .setTitle("关注提示").setMessage("确实要取消关注吗?"); diaBuilder.setPositiveButton("确定", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (cancelFollowingTask != null && cancelFollowingTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { cancelFollowingTask = new CancelFollowingTask(); cancelFollowingTask .setListener(cancelFollowingTaskLinstener); TaskParams params = new TaskParams(); cancelFollowingTask.execute(params); } } }); diaBuilder.setNegativeButton("取消", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); } }); Dialog dialog = diaBuilder.create(); dialog.show(); } }; /** * 设置关注 * * @author Dino * */ private class SetFollowingTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { try { getApi().createFriendship(userId); } catch (HttpException e) { Log.w(TAG, "create friend ship error"); return TaskResult.FAILED; } return TaskResult.OK; } } private TaskListener setFollowingTaskLinstener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.OK) { followingBtn.setText("取消关注"); isFollowingText.setText(getResources().getString( R.string.profile_isfollowing)); followingBtn.setOnClickListener(cancelFollowingListener); Toast.makeText(getBaseContext(), "关注成功", Toast.LENGTH_SHORT) .show(); } else if (result == TaskResult.FAILED) { Toast.makeText(getBaseContext(), "关注失败", Toast.LENGTH_SHORT) .show(); } } @Override public String getName() { // TODO Auto-generated method stub return null; } }; /** * 取消关注 * * @author Dino * */ private class CancelFollowingTask extends GenericTask { @Override protected TaskResult _doInBackground(TaskParams... params) { try { getApi().destroyFriendship(userId); } catch (HttpException e) { Log.w(TAG, "create friend ship error"); return TaskResult.FAILED; } return TaskResult.OK; } } private TaskListener cancelFollowingTaskLinstener = new TaskAdapter() { @Override public void onPostExecute(GenericTask task, TaskResult result) { if (result == TaskResult.OK) { followingBtn.setText("添加关注"); isFollowingText.setText(getResources().getString( R.string.profile_notfollowing)); followingBtn.setOnClickListener(setfollowingListener); Toast.makeText(getBaseContext(), "取消关注成功", Toast.LENGTH_SHORT) .show(); } else if (result == TaskResult.FAILED) { Toast.makeText(getBaseContext(), "取消关注失败", Toast.LENGTH_SHORT) .show(); } } @Override public String getName() { // TODO Auto-generated method stub return null; } }; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/ProfileActivity.java
Java
asf20
20,034
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import java.io.File; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import android.app.Activity; import android.app.AlertDialog; import android.app.ProgressDialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.net.Uri; import android.os.Bundle; import android.preference.PreferenceManager; import android.provider.MediaStore; import android.provider.MediaStore.MediaColumns; import android.text.Editable; import android.text.Selection; import android.text.TextUtils; import android.text.TextWatcher; import android.util.Log; import android.view.KeyEvent; import android.view.View; import android.view.ViewGroup.LayoutParams; import android.view.inputmethod.InputMethodManager; import android.widget.Button; import android.widget.EditText; import android.widget.ImageButton; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.TextView; import android.widget.Toast; import com.ch_linghu.fanfoudroid.app.ImageManager; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.http.HttpClient; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.task.GenericTask; import com.ch_linghu.fanfoudroid.task.TaskAdapter; import com.ch_linghu.fanfoudroid.task.TaskListener; import com.ch_linghu.fanfoudroid.task.TaskParams; import com.ch_linghu.fanfoudroid.task.TaskResult; import com.ch_linghu.fanfoudroid.ui.base.BaseActivity; import com.ch_linghu.fanfoudroid.ui.module.NavBar; import com.ch_linghu.fanfoudroid.ui.module.TweetEdit; import com.ch_linghu.fanfoudroid.util.FileHelper; import com.ch_linghu.fanfoudroid.util.TextHelper; import com.ch_linghu.fanfoudroid.R; public class WriteActivity extends BaseActivity { // FIXME: for debug, delete me private long startTime = -1; private long endTime = -1; public static final String NEW_TWEET_ACTION = "com.ch_linghu.fanfoudroid.NEW"; public static final String REPLY_TWEET_ACTION = "com.ch_linghu.fanfoudroid.REPLY"; public static final String REPOST_TWEET_ACTION = "com.ch_linghu.fanfoudroid.REPOST"; public static final String EXTRA_REPLY_TO_NAME = "reply_to_name"; public static final String EXTRA_REPLY_ID = "reply_id"; public static final String EXTRA_REPOST_ID = "repost_status_id"; private static final String TAG = "WriteActivity"; private static final String SIS_RUNNING_KEY = "running"; private static final String PREFS_NAME = "com.ch_linghu.fanfoudroid"; private static final int REQUEST_IMAGE_CAPTURE = 2; private static final int REQUEST_PHOTO_LIBRARY = 3; // View private TweetEdit mTweetEdit; private EditText mTweetEditText; private TextView mProgressText; private ImageButton mLocationButton; private ImageButton chooseImagesButton; private ImageButton mCameraButton; private ProgressDialog dialog; private NavBar mNavbar; // Picture private boolean withPic = false; private File mFile; private ImageView mPreview; private ImageView imageDelete; private static final int MAX_BITMAP_SIZE = 400; private File mImageFile; private Uri mImageUri; // Task private GenericTask mSendTask; private TaskListener mSendTaskListener = new TaskAdapter() { @Override public void onPreExecute(GenericTask task) { onSendBegin(); } @Override public void onPostExecute(GenericTask task, TaskResult result) { endTime = System.currentTimeMillis(); Log.d("LDS", "Sended a status in " + (endTime - startTime)); if (result == TaskResult.AUTH_ERROR) { logout(); } else if (result == TaskResult.OK) { onSendSuccess(); } else if (result == TaskResult.IO_ERROR) { onSendFailure(); } } @Override public String getName() { // TODO Auto-generated method stub return "SendTask"; } }; private String _reply_id; private String _repost_id; private String _reply_to_name; // sub menu protected void openImageCaptureMenu() { try { // TODO: API < 1.6, images size too small mImageFile = new File(FileHelper.getBasePath(), "upload.jpg"); mImageUri = Uri.fromFile(mImageFile); Intent intent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE); intent.putExtra(MediaStore.EXTRA_OUTPUT, mImageUri); startActivityForResult(intent, REQUEST_IMAGE_CAPTURE); } catch (Exception e) { Log.e(TAG, e.getMessage()); } } protected void openPhotoLibraryMenu() { Intent intent = new Intent(Intent.ACTION_GET_CONTENT); intent.setType("image/*"); startActivityForResult(intent, REQUEST_PHOTO_LIBRARY); } /** * @deprecated 已废弃, 分解成两个按钮 */ protected void createInsertPhotoDialog() { final CharSequence[] items = { getString(R.string.write_label_take_a_picture), getString(R.string.write_label_choose_a_picture) }; AlertDialog.Builder builder = new AlertDialog.Builder(this); builder.setTitle(getString(R.string.write_label_insert_picture)); builder.setItems(items, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int item) { switch (item) { case 0: openImageCaptureMenu(); break; case 1: openPhotoLibraryMenu(); } } }); AlertDialog alert = builder.create(); alert.show(); } private String getRealPathFromURI(Uri contentUri) { String[] proj = { MediaColumns.DATA }; Cursor cursor = managedQuery(contentUri, proj, null, null, null); int column_index = cursor.getColumnIndexOrThrow(MediaColumns.DATA); cursor.moveToFirst(); return cursor.getString(column_index); } private void getPic(Intent intent, Uri uri) { // layout for picture mode changeStyleWithPic(); withPic = true; mFile = null; mImageUri = uri; if (uri.getScheme().equals("content")) { mFile = new File(getRealPathFromURI(mImageUri)); } else { mFile = new File(mImageUri.getPath()); } // TODO:想将图片放在EditText左边 mPreview.setImageBitmap(createThumbnailBitmap(mImageUri, MAX_BITMAP_SIZE)); if (mFile == null) { updateProgress("Could not locate picture file. Sorry!"); disableEntry(); } } private File bitmapToFile(Bitmap bitmap) { try { File file = new File(FileHelper.getBasePath(), "upload.jpg"); FileOutputStream out = new FileOutputStream(file); if (bitmap.compress(Bitmap.CompressFormat.JPEG, ImageManager.DEFAULT_COMPRESS_QUALITY, out)) { out.flush(); out.close(); } return file; } catch (FileNotFoundException e) { Log.e(TAG, "Sorry, the file can not be created. " + e.getMessage()); return null; } catch (IOException e) { Log.e(TAG, "IOException occurred when save upload file. " + e.getMessage()); return null; } } private void changeStyleWithPic() { // 修改布局 ,以前 图片居中,现在在左边 // mPreview.setLayoutParams( // new RelativeLayout.LayoutParams(LayoutParams.FILL_PARENT, // LayoutParams.FILL_PARENT) // ); mPreview.setVisibility(View.VISIBLE); imageDelete.setVisibility(View.VISIBLE); mTweetEditText.setLayoutParams(new LinearLayout.LayoutParams( LayoutParams.FILL_PARENT, LayoutParams.FILL_PARENT, 2f)); } /** * 制作微缩图 * * @param uri * @param size * @return */ private Bitmap createThumbnailBitmap(Uri uri, int size) { InputStream input = null; try { input = getContentResolver().openInputStream(uri); BitmapFactory.Options options = new BitmapFactory.Options(); options.inJustDecodeBounds = true; BitmapFactory.decodeStream(input, null, options); input.close(); // Compute the scale. int scale = 1; while ((options.outWidth / scale > size) || (options.outHeight / scale > size)) { scale *= 2; } options.inJustDecodeBounds = false; options.inSampleSize = scale; input = getContentResolver().openInputStream(uri); return BitmapFactory.decodeStream(input, null, options); } catch (IOException e) { Log.w(TAG, e); return null; } finally { if (input != null) { try { input.close(); } catch (IOException e) { Log.w(TAG, e); } } } } @Override protected boolean _onCreate(Bundle savedInstanceState) { Log.d(TAG, "onCreate."); if (super._onCreate(savedInstanceState)) { // init View setContentView(R.layout.write); mNavbar = new NavBar(NavBar.HEADER_STYLE_WRITE, this); // Intent & Action & Extras Intent intent = getIntent(); String action = intent.getAction(); String type = intent.getType(); Bundle extras = intent.getExtras(); String text = null; Uri uri = null; if (extras != null) { String subject = extras.getString(Intent.EXTRA_SUBJECT); text = extras.getString(Intent.EXTRA_TEXT); uri = (Uri) (extras.get(Intent.EXTRA_STREAM)); if (!TextUtils.isEmpty(subject)) { text = subject + " " + text; } if ((type != null && type.startsWith("text")) && uri != null) { text = text + " " + uri.toString(); uri = null; } } _reply_id = null; _repost_id = null; _reply_to_name = null; // View mProgressText = (TextView) findViewById(R.id.progress_text); mTweetEditText = (EditText) findViewById(R.id.tweet_edit); // TODO: @某人-- 类似饭否自动补全 ImageButton mAddUserButton = (ImageButton) findViewById(R.id.add_user); mAddUserButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { int start = mTweetEditText.getSelectionStart(); int end = mTweetEditText.getSelectionEnd(); mTweetEditText.getText().replace(Math.min(start, end), Math.max(start, end), "@"); } }); // 插入图片 chooseImagesButton = (ImageButton) findViewById(R.id.choose_images_button); chooseImagesButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { Log.d(TAG, "chooseImagesButton onClick"); openPhotoLibraryMenu(); } }); // 打开相机 mCameraButton = (ImageButton) findViewById(R.id.camera_button); mCameraButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { Log.d(TAG, "mCameraButton onClick"); openImageCaptureMenu(); } }); // With picture imageDelete = (ImageView) findViewById(R.id.image_delete); imageDelete.setOnClickListener(deleteListener); mPreview = (ImageView) findViewById(R.id.preview); if (Intent.ACTION_SEND.equals(intent.getAction()) && uri != null) { getPic(intent, uri); } // Update status mTweetEdit = new TweetEdit(mTweetEditText, (TextView) findViewById(R.id.chars_text)); if (TwitterApplication.mPref.getBoolean(Preferences.USE_ENTER_SEND, false)) { mTweetEdit.setOnKeyListener(tweetEnterHandler); } mTweetEdit.addTextChangedListener(new MyTextWatcher( WriteActivity.this)); if (NEW_TWEET_ACTION.equals(action) || Intent.ACTION_SEND.equals(action)) { if (!TextUtils.isEmpty(text)) { // 始终将光标置于最末尾,以方便回复消息时保持@用户在最前面 EditText inputField = mTweetEdit.getEditText(); inputField.setTextKeepState(text); Editable etext = inputField.getText(); int position = etext.length(); Selection.setSelection(etext, position); } } else if (REPLY_TWEET_ACTION.equals(action)) { _reply_id = intent.getStringExtra(EXTRA_REPLY_ID); _reply_to_name = intent.getStringExtra(EXTRA_REPLY_TO_NAME); if (!TextUtils.isEmpty(text)) { String reply_to_name = "@" + _reply_to_name + " "; String other_replies = ""; for (String mention : TextHelper.getMentions(text)) { // 获取名字时不包括自己和回复对象 if (!mention.equals(TwitterApplication.getMyselfName(false)) && !mention.equals(_reply_to_name)) { other_replies += "@" + mention + " "; } } EditText inputField = mTweetEdit.getEditText(); inputField.setTextKeepState(reply_to_name + other_replies); // 将除了reply_to_name的其他名字默认选中 Editable etext = inputField.getText(); int start = reply_to_name.length(); int stop = etext.length(); Selection.setSelection(etext, start, stop); } } else if (REPOST_TWEET_ACTION.equals(action)) { if (!TextUtils.isEmpty(text)) { // 如果是转发消息,则根据用户习惯,将光标放置在转发消息的头部或尾部 SharedPreferences prefereces = getPreferences(); boolean isAppendToTheBeginning = prefereces.getBoolean( Preferences.RT_INSERT_APPEND, true); EditText inputField = mTweetEdit.getEditText(); inputField.setTextKeepState(text); Editable etext = inputField.getText(); int position = (isAppendToTheBeginning) ? 0 : etext .length(); Selection.setSelection(etext, position); } } mLocationButton = (ImageButton) findViewById(R.id.location_button); mLocationButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { Toast.makeText(WriteActivity.this, "LBS地理定位功能开发中, 敬请期待", Toast.LENGTH_SHORT).show(); } }); Button mTopSendButton = (Button) findViewById(R.id.top_send_btn); mTopSendButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { doSend(); } }); return true; } else { return false; } } private View.OnClickListener deleteListener = new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = getIntent(); intent.setAction(null); withPic = false; mPreview.setVisibility(View.INVISIBLE); imageDelete.setVisibility(View.INVISIBLE); } }; @Override protected void onPause() { super.onPause(); Log.d(TAG, "onPause."); } @Override protected void onRestart() { super.onRestart(); Log.d(TAG, "onRestart."); } @Override protected void onResume() { super.onResume(); Log.d(TAG, "onResume."); } @Override protected void onStart() { super.onStart(); Log.d(TAG, "onStart."); } @Override protected void onStop() { super.onStop(); Log.d(TAG, "onStop."); } @Override protected void onDestroy() { Log.d(TAG, "onDestroy."); if (mSendTask != null && mSendTask.getStatus() == GenericTask.Status.RUNNING) { // Doesn't really cancel execution (we let it continue running). // See the SendTask code for more details. mSendTask.cancel(true); } // Don't need to cancel FollowersTask (assuming it ends properly). if (dialog != null) { dialog.dismiss(); } super.onDestroy(); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mSendTask != null && mSendTask.getStatus() == GenericTask.Status.RUNNING) { outState.putBoolean(SIS_RUNNING_KEY, true); } } public static Intent createNewTweetIntent(String text) { Intent intent = new Intent(NEW_TWEET_ACTION); intent.putExtra(Intent.EXTRA_TEXT, text); intent.putExtra(Intent.EXTRA_SUBJECT, ""); return intent; } public static Intent createNewReplyIntent(String tweetText, String screenName, String replyId) { Intent intent = new Intent(WriteActivity.REPLY_TWEET_ACTION); intent.putExtra(Intent.EXTRA_SUBJECT, ""); intent.putExtra(Intent.EXTRA_TEXT, TextHelper.getSimpleTweetText(tweetText)); intent.putExtra(WriteActivity.EXTRA_REPLY_TO_NAME, screenName); intent.putExtra(WriteActivity.EXTRA_REPLY_ID, replyId); return intent; } public static Intent createNewRepostIntent(Context content, String tweetText, String screenName, String repostId) { SharedPreferences mPreferences = PreferenceManager .getDefaultSharedPreferences(content); String prefix = mPreferences.getString(Preferences.RT_PREFIX_KEY, content.getString(R.string.pref_rt_prefix_default)); String retweet = " " + prefix + "@" + screenName + " " + TextHelper.getSimpleTweetText(tweetText); Intent intent = new Intent(WriteActivity.REPOST_TWEET_ACTION); intent.putExtra(Intent.EXTRA_SUBJECT, ""); intent.putExtra(Intent.EXTRA_TEXT, retweet); intent.putExtra(WriteActivity.EXTRA_REPOST_ID, repostId); return intent; } public static Intent createImageIntent(Activity activity, Uri uri) { Intent intent = new Intent(Intent.ACTION_SEND); intent.putExtra(Intent.EXTRA_STREAM, uri); try { WriteActivity writeActivity = (WriteActivity) activity; intent.putExtra(Intent.EXTRA_TEXT, writeActivity.mTweetEdit.getText()); intent.putExtra(WriteActivity.EXTRA_REPLY_TO_NAME, writeActivity._reply_to_name); intent.putExtra(WriteActivity.EXTRA_REPLY_ID, writeActivity._reply_id); intent.putExtra(WriteActivity.EXTRA_REPOST_ID, writeActivity._repost_id); } catch (ClassCastException e) { // do nothing } return intent; } private class MyTextWatcher implements TextWatcher { private WriteActivity _activity; public MyTextWatcher(WriteActivity activity) { _activity = activity; } @Override public void afterTextChanged(Editable s) { if (s.length() == 0) { _activity._reply_id = null; _activity._reply_to_name = null; _activity._repost_id = null; } } @Override public void beforeTextChanged(CharSequence s, int start, int count, int after) { // TODO Auto-generated method stub } @Override public void onTextChanged(CharSequence s, int start, int before, int count) { // TODO Auto-generated method stub } } private View.OnKeyListener tweetEnterHandler = new View.OnKeyListener() { public boolean onKey(View v, int keyCode, KeyEvent event) { if (keyCode == KeyEvent.KEYCODE_ENTER || keyCode == KeyEvent.KEYCODE_DPAD_CENTER) { if (event.getAction() == KeyEvent.ACTION_UP) { WriteActivity t = (WriteActivity) (v.getContext()); doSend(); } return true; } return false; } }; private void doSend() { Log.d(TAG, "dosend " + withPic); startTime = System.currentTimeMillis(); Log.d(TAG, String.format("doSend, reply_id=%s", _reply_id)); if (mSendTask != null && mSendTask.getStatus() == GenericTask.Status.RUNNING) { return; } else { String status = mTweetEdit.getText().toString(); if (!TextUtils.isEmpty(status) || withPic) { int mode = SendTask.TYPE_NORMAL; if (withPic) { mode = SendTask.TYPE_PHOTO; } else if (null != _reply_id) { mode = SendTask.TYPE_REPLY; } else if (null != _repost_id) { mode = SendTask.TYPE_REPOST; } mSendTask = new SendTask(); mSendTask.setListener(mSendTaskListener); TaskParams params = new TaskParams(); params.put("mode", mode); mSendTask.execute(params); } else { updateProgress(getString(R.string.page_text_is_null)); } } } private class SendTask extends GenericTask { public static final int TYPE_NORMAL = 0; public static final int TYPE_REPLY = 1; public static final int TYPE_REPOST = 2; public static final int TYPE_PHOTO = 3; @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; try { String status = mTweetEdit.getText().toString(); int mode = param.getInt("mode"); Log.d(TAG, "Send Status. Mode : " + mode); // Send status in different way switch (mode) { case TYPE_REPLY: // 增加容错性,即使reply_id为空依然允许发送 if (null == WriteActivity.this._reply_id) { Log.e(TAG, "Cann't send status in REPLY mode, reply_id is null"); } getApi().updateStatus(status, WriteActivity.this._reply_id); break; case TYPE_REPOST: // 增加容错性,即使repost_id为空依然允许发送 if (null == WriteActivity.this._repost_id) { Log.e(TAG, "Cann't send status in REPOST mode, repost_id is null"); } getApi().repost(status, WriteActivity.this._repost_id); break; case TYPE_PHOTO: if (null != mFile) { // Compress image try { mFile = getImageManager().compressImage(mFile, 100); // ImageManager.DEFAULT_COMPRESS_QUALITY); } catch (IOException ioe) { Log.e(TAG, "Cann't compress images."); } getApi().updateStatus(status, mFile); } else { Log.e(TAG, "Cann't send status in PICTURE mode, photo is null"); } break; case TYPE_NORMAL: default: getApi().updateStatus(status); // just send a status break; } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); if (e.getStatusCode() == HttpClient.NOT_AUTHORIZED) { return TaskResult.AUTH_ERROR; } return TaskResult.IO_ERROR; } return TaskResult.OK; } private ImageManager getImageManager() { return TwitterApplication.mImageLoader.getImageManager(); } } private void onSendBegin() { disableEntry(); dialog = ProgressDialog.show(WriteActivity.this, "", getString(R.string.page_status_updating), true); if (dialog != null) { dialog.setCancelable(false); } updateProgress(getString(R.string.page_status_updating)); } private void onSendSuccess() { if (dialog != null) { dialog.setMessage(getString(R.string.page_status_update_success)); dialog.dismiss(); } _reply_id = null; _repost_id = null; updateProgress(getString(R.string.page_status_update_success)); enableEntry(); // FIXME: 不理解这段代码的含义,暂时注释掉 // try { // Thread.currentThread(); // Thread.sleep(500); // updateProgress(""); // } catch (InterruptedException e) { // Log.d(TAG, e.getMessage()); // } updateProgress(""); // 发送成功就自动关闭界面 finish(); // 关闭软键盘 InputMethodManager imm = (InputMethodManager) getSystemService(Context.INPUT_METHOD_SERVICE); imm.hideSoftInputFromWindow(mTweetEdit.getEditText().getWindowToken(), 0); } private void onSendFailure() { if (dialog != null){ dialog.setMessage(getString(R.string.page_status_unable_to_update)); dialog.dismiss(); } updateProgress(getString(R.string.page_status_unable_to_update)); enableEntry(); } private void enableEntry() { mTweetEdit.setEnabled(true); mLocationButton.setEnabled(true); chooseImagesButton.setEnabled(true); } private void disableEntry() { mTweetEdit.setEnabled(false); mLocationButton.setEnabled(false); chooseImagesButton.setEnabled(false); } // UI helpers. private void updateProgress(String progress) { mProgressText.setText(progress); } @Override protected void onActivityResult(int requestCode, int resultCode, Intent data) { super.onActivityResult(requestCode, resultCode, data); if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) { Intent intent = WriteActivity.createImageIntent(this, mImageUri); // 照相完后不重新起一个WriteActivity getPic(intent, mImageUri); /* * intent.setClass(this, WriteActivity.class); * * startActivity(intent); * * // 打开发送图片界面后将自身关闭 finish(); */ } else if (requestCode == REQUEST_PHOTO_LIBRARY && resultCode == RESULT_OK) { mImageUri = data.getData(); Intent intent = WriteActivity.createImageIntent(this, mImageUri); // 选图片后不重新起一个WriteActivity getPic(intent, mImageUri); /* * intent.setClass(this, WriteActivity.class); * * startActivity(intent); * * // 打开发送图片界面后将自身关闭 finish(); */ } } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/WriteActivity.java
Java
asf20
24,239
/* * Copyright (C) 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ch_linghu.fanfoudroid; import java.text.MessageFormat; import java.util.ArrayList; import java.util.List; import android.content.Intent; import android.database.Cursor; import android.os.Bundle; import android.view.Menu; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.fanfou.Paging; import com.ch_linghu.fanfoudroid.fanfou.Status; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.ui.base.TwitterCursorBaseActivity; import com.ch_linghu.fanfoudroid.R; //TODO: 数据来源换成 getFavorites() public class FavoritesActivity extends TwitterCursorBaseActivity { private static final String TAG = "FavoritesActivity"; private static final String LAUNCH_ACTION = "com.ch_linghu.fanfoudroid.FAVORITES"; private static final String USER_ID = "userid"; private static final String USER_NAME = "userName"; private static final int DIALOG_WRITE_ID = 0; private String userId = null; private String userName = null; private int currentPage = 1; public static Intent createIntent(String userId, String userName) { Intent intent = new Intent(LAUNCH_ACTION); intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); intent.putExtra(USER_ID, userId); intent.putExtra(USER_NAME, userName); return intent; } @Override protected boolean _onCreate(Bundle savedInstanceState) { if (super._onCreate(savedInstanceState)) { mNavbar.setHeaderTitle(getActivityTitle()); return true; } else { return false; } } public static Intent createNewTaskIntent(String userId, String userName) { Intent intent = createIntent(userId, userName); intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK); return intent; } // Menu. @Override public boolean onCreateOptionsMenu(Menu menu) { return super.onCreateOptionsMenu(menu); } @Override protected Cursor fetchMessages() { // TODO Auto-generated method stub return getDb().fetchAllTweets(getUserId(), StatusTable.TYPE_FAVORITE); } @Override protected String getActivityTitle() { // TODO Auto-generated method stub String template = getString(R.string.page_title_favorites); String who; if (getUserId().equals(TwitterApplication.getMyselfId(false))) { who = "我"; } else { who = getUserName(); } return MessageFormat.format(template, who); } @Override protected void markAllRead() { // TODO Auto-generated method stub getDb().markAllTweetsRead(getUserId(), StatusTable.TYPE_FAVORITE); } // hasRetrieveListTask interface @Override public int addMessages(ArrayList<Tweet> tweets, boolean isUnread) { return getDb().putTweets(tweets, getUserId(), StatusTable.TYPE_FAVORITE, isUnread); } @Override public String fetchMaxId() { return getDb().fetchMaxTweetId(getUserId(), StatusTable.TYPE_FAVORITE); } @Override public List<Status> getMessageSinceId(String maxId) throws HttpException { getDb().gc(getUserId(), StatusTable.TYPE_FAVORITE); currentPage = 1; Paging paging = new Paging(currentPage, 20); return getApi().getFavorites(getUserId(), paging); } @Override public String fetchMinId() { return getDb().fetchMinTweetId(getUserId(), StatusTable.TYPE_FAVORITE); } @Override public List<Status> getMoreMessageFromId(String minId) throws HttpException { ++currentPage; Paging paging = new Paging(currentPage, 20); return getApi().getFavorites(getUserId(), paging); } @Override public int getDatabaseType() { return StatusTable.TYPE_FAVORITE; } @Override public String getUserId() { Intent intent = getIntent(); Bundle extras = intent.getExtras(); if (extras != null) { userId = extras.getString(USER_ID); } else { userId = TwitterApplication.getMyselfId(false); } return userId; } public String getUserName() { Intent intent = getIntent(); Bundle extras = intent.getExtras(); if (extras != null) { userName = extras.getString(USER_NAME); } else { userName = TwitterApplication.getMyselfName(false); } return userName; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/FavoritesActivity.java
Java
asf20
4,647
package com.ch_linghu.fanfoudroid; import android.app.Activity; import android.app.PendingIntent; import android.content.ComponentName; import android.content.Intent; import android.content.pm.ActivityInfo; import android.content.pm.PackageInfo; import android.content.pm.PackageManager.NameNotFoundException; import android.os.Bundle; import android.view.View; import android.widget.Button; import android.widget.TextView; import android.widget.Toast; import com.ch_linghu.fanfoudroid.app.Preferences; import com.ch_linghu.fanfoudroid.R; public class AboutActivity extends Activity { //反馈信息 private String versionName = null; private String deviceModel = null; private String versionRelease = null; private String feedback = null; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.about); deviceModel=android.os.Build.MODEL; versionRelease=android.os.Build.VERSION.RELEASE; if (TwitterApplication.mPref.getBoolean( Preferences.FORCE_SCREEN_ORIENTATION_PORTRAIT, false)) { setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_PORTRAIT); } // set real version ComponentName comp = new ComponentName(this, getClass()); PackageInfo pinfo = null; try { pinfo = getPackageManager() .getPackageInfo(comp.getPackageName(), 0); } catch (NameNotFoundException e) { // TODO Auto-generated catch block e.printStackTrace(); } TextView version = (TextView) findViewById(R.id.version); String versionString; if (TwitterApplication.DEBUG){ version.setText(String.format("v %d(nightly)", pinfo.versionCode)); versionName = String.format("%d", pinfo.versionCode); }else{ version.setText(String.format("v %s", pinfo.versionName)); versionName = pinfo.versionName; } // bind button click event Button okBtn = (Button) findViewById(R.id.ok_btn); okBtn.setOnClickListener(new Button.OnClickListener() { @Override public void onClick(View v) { finish(); } }); feedback = "@令狐虫 @三日坊主 @内存地址 @PhoenixG @忽然兔 "+"#安能饭否#"+" "+versionName+"/"+deviceModel+"/"+versionRelease+" "; Button feedbackBtn = (Button) findViewById(R.id.feedback_btn); feedbackBtn.setOnClickListener(new Button.OnClickListener() { @Override public void onClick(View v) { Intent intent = WriteActivity.createNewTweetIntent(feedback); startActivity(intent); } }); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/AboutActivity.java
Java
asf20
2,485
package com.ch_linghu.fanfoudroid.dao; import java.util.ArrayList; import java.util.List; import android.content.ContentValues; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; /** * Database Helper * * @see SQLiteDatabase */ public class SQLiteTemplate { /** * Default Primary key */ protected String mPrimaryKey = "_id"; /** * SQLiteDatabase Open Helper */ protected SQLiteOpenHelper mDatabaseOpenHelper; /** * Construct * * @param databaseOpenHelper */ public SQLiteTemplate(SQLiteOpenHelper databaseOpenHelper) { mDatabaseOpenHelper = databaseOpenHelper; } /** * Construct * * @param databaseOpenHelper * @param primaryKey */ public SQLiteTemplate(SQLiteOpenHelper databaseOpenHelper, String primaryKey) { this(databaseOpenHelper); setPrimaryKey(primaryKey); } /** * 根据某一个字段和值删除一行数据, 如 name="jack" * * @param table * @param field * @param value * @return */ public int deleteByField(String table, String field, String value) { return getDb(true).delete(table, field + "=?", new String[] { value }); } /** * 根据主键删除一行数据 * * @param table * @param id * @return */ public int deleteById(String table, String id) { return deleteByField(table, mPrimaryKey, id); } /** * 根据主键更新一行数据 * * @param table * @param id * @param values * @return */ public int updateById(String table, String id, ContentValues values) { return getDb(true).update(table, values, mPrimaryKey + "=?", new String[] { id }); } /** * 根据主键查看某条数据是否存在 * * @param table * @param id * @return */ public boolean isExistsById(String table, String id) { return isExistsByField(table, mPrimaryKey, id); } /** * 根据某字段/值查看某条数据是否存在 * * @param status * @return */ public boolean isExistsByField(String table, String field, String value) { StringBuilder sql = new StringBuilder(); sql.append("SELECT COUNT(*) FROM ").append(table).append(" WHERE ") .append(field).append(" =?"); return isExistsBySQL(sql.toString(), new String[] { value }); } /** * 使用SQL语句查看某条数据是否存在 * * @param sql * @param selectionArgs * @return */ public boolean isExistsBySQL(String sql, String[] selectionArgs) { boolean result = false; final Cursor c = getDb(false).rawQuery(sql, selectionArgs); try { if (c.moveToFirst()) { result = (c.getInt(0) > 0); } } finally { c.close(); } return result; } /** * Query for cursor * * @param <T> * @param rowMapper * @return a cursor * * @see SQLiteDatabase#query(String, String[], String, String[], String, * String, String, String) */ public <T> T queryForObject(RowMapper<T> rowMapper, String table, String[] columns, String selection, String[] selectionArgs, String groupBy, String having, String orderBy, String limit) { T object = null; final Cursor c = getDb(false).query(table, columns, selection, selectionArgs, groupBy, having, orderBy, limit); try { if (c.moveToFirst()) { object = rowMapper.mapRow(c, c.getCount()); } } finally { c.close(); } return object; } /** * Query for list * * @param <T> * @param rowMapper * @return list of object * * @see SQLiteDatabase#query(String, String[], String, String[], String, * String, String, String) */ public <T> List<T> queryForList(RowMapper<T> rowMapper, String table, String[] columns, String selection, String[] selectionArgs, String groupBy, String having, String orderBy, String limit) { List<T> list = new ArrayList<T>(); final Cursor c = getDb(false).query(table, columns, selection, selectionArgs, groupBy, having, orderBy, limit); try { while (c.moveToNext()) { list.add(rowMapper.mapRow(c, 1)); } } finally { c.close(); } return list; } /** * Get Primary Key * * @return */ public String getPrimaryKey() { return mPrimaryKey; } /** * Set Primary Key * * @param primaryKey */ public void setPrimaryKey(String primaryKey) { this.mPrimaryKey = primaryKey; } /** * Get Database Connection * * @param writeable * @return * @see SQLiteOpenHelper#getWritableDatabase(); * @see SQLiteOpenHelper#getReadableDatabase(); */ public SQLiteDatabase getDb(boolean writeable) { if (writeable) { return mDatabaseOpenHelper.getWritableDatabase(); } else { return mDatabaseOpenHelper.getReadableDatabase(); } } /** * Some as Spring JDBC RowMapper * * @see org.springframework.jdbc.core.RowMapper * @see com.ch_linghu.fanfoudroid.db.dao.SqliteTemplate * @param <T> */ public interface RowMapper<T> { public T mapRow(Cursor cursor, int rowNum); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/dao/SQLiteTemplate.java
Java
asf20
4,913
package com.ch_linghu.fanfoudroid.dao; import java.util.List; import android.content.ContentValues; import android.content.Context; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.text.TextUtils; import android.util.Log; import com.ch_linghu.fanfoudroid.dao.SQLiteTemplate.RowMapper; import com.ch_linghu.fanfoudroid.data2.Photo; import com.ch_linghu.fanfoudroid.data2.Status; import com.ch_linghu.fanfoudroid.data2.User; import com.ch_linghu.fanfoudroid.db.TwitterDatabase; import com.ch_linghu.fanfoudroid.db2.FanContent; import com.ch_linghu.fanfoudroid.db2.FanContent.StatusesPropertyTable; import com.ch_linghu.fanfoudroid.db2.FanDatabase; import com.ch_linghu.fanfoudroid.util.DateTimeHelper; import com.ch_linghu.fanfoudroid.db2.FanContent.*; public class StatusDAO { private static final String TAG = "StatusDAO"; private SQLiteTemplate mSqlTemplate; public StatusDAO(Context context) { mSqlTemplate = new SQLiteTemplate(FanDatabase.getInstance(context) .getSQLiteOpenHelper()); } /** * Insert a Status * * 若报 SQLiteconstraintexception 异常, 检查是否某not null字段为空 * * @param status * @param isUnread * @return */ public long insertStatus(Status status) { if (!isExists(status)) { return mSqlTemplate.getDb(true).insert(StatusesTable.TABLE_NAME, null, statusToContentValues(status)); } else { Log.e(TAG, status.getId() + " is exists."); return -1; } } // TODO: public int insertStatuses(List<Status> statuses) { int result = 0; SQLiteDatabase db = mSqlTemplate.getDb(true); try { db.beginTransaction(); for (int i = statuses.size() - 1; i >= 0; i--) { Status status = statuses.get(i); long id = db.insertWithOnConflict(StatusesTable.TABLE_NAME, null, statusToContentValues(status), SQLiteDatabase.CONFLICT_IGNORE); if (-1 == id) { Log.e(TAG, "cann't insert the tweet : " + status.toString()); } else { ++result; Log.v(TAG, String.format( "Insert a status into database : %s", status.toString())); } } db.setTransactionSuccessful(); } finally { db.endTransaction(); } return result; } /** * Delete a status * * @param statusId * @param owner_id * owner id * @param type * status type * @return * @see StatusDAO#deleteStatus(Status) */ public int deleteStatus(String statusId, String owner_id, int type) { // FIXME: 数据模型改变后这里的逻辑需要完全重写,目前仅保证编译可通过 String where = StatusesTable.Columns.ID + " =? "; String[] binds; if (!TextUtils.isEmpty(owner_id)) { where += " AND " + StatusesPropertyTable.Columns.OWNER_ID + " = ? "; binds = new String[] { statusId, owner_id }; } else { binds = new String[] { statusId }; } if (-1 != type) { where += " AND " + StatusesPropertyTable.Columns.TYPE + " = " + type; } return mSqlTemplate.getDb(true).delete(StatusesTable.TABLE_NAME, where.toString(), binds); } /** * Delete a Status * * @param status * @return * @see StatusDAO#deleteStatus(String, String, int) */ public int deleteStatus(Status status) { return deleteStatus(status.getId(), status.getOwnerId(), status.getType()); } /** * Find a status by status ID * * @param statusId * @return */ public Status fetchStatus(String statusId) { return mSqlTemplate.queryForObject(mRowMapper, StatusesTable.TABLE_NAME, null, StatusesTable.Columns.ID + " = ?", new String[] { statusId }, null, null, "created_at DESC", "1"); } /** * Find user's statuses * * @param userId * user id * @param statusType * status type, see {@link StatusTable#TYPE_USER}... * @return list of statuses */ public List<Status> fetchStatuses(String userId, int statusType) { return mSqlTemplate.queryForList(mRowMapper, FanContent.StatusesTable.TABLE_NAME, null, StatusesPropertyTable.Columns.OWNER_ID + " = ? AND " + StatusesPropertyTable.Columns.TYPE + " = " + statusType, new String[] { userId }, null, null, "created_at DESC", null); } /** * @see StatusDAO#fetchStatuses(String, int) */ public List<Status> fetchStatuses(String userId, String statusType) { return fetchStatuses(userId, Integer.parseInt(statusType)); } /** * Update by using {@link ContentValues} * * @param statusId * @param newValues * @return */ public int updateStatus(String statusId, ContentValues values) { return mSqlTemplate.updateById(FanContent.StatusesTable.TABLE_NAME, statusId, values); } /** * Update by using {@link Status} * * @param status * @return */ public int updateStatus(Status status) { return updateStatus(status.getId(), statusToContentValues(status)); } /** * Check if status exists * * FIXME: 取消使用Query * * @param status * @return */ public boolean isExists(Status status) { StringBuilder sql = new StringBuilder(); sql.append("SELECT COUNT(*) FROM ") .append(FanContent.StatusesTable.TABLE_NAME).append(" WHERE ") .append(StatusesTable.Columns.ID).append(" =? AND ") .append(StatusesPropertyTable.Columns.OWNER_ID) .append(" =? AND ").append(StatusesPropertyTable.Columns.TYPE) .append(" = ").append(status.getType()); return mSqlTemplate.isExistsBySQL(sql.toString(), new String[] { status.getId(), status.getUser().getId() }); } /** * Status -> ContentValues * * @param status * @param isUnread * @return */ private ContentValues statusToContentValues(Status status) { final ContentValues v = new ContentValues(); v.put(StatusesTable.Columns.ID, status.getId()); v.put(StatusesPropertyTable.Columns.TYPE, status.getType()); v.put(StatusesTable.Columns.TEXT, status.getText()); v.put(StatusesPropertyTable.Columns.OWNER_ID, status.getOwnerId()); v.put(StatusesTable.Columns.FAVORITED, status.isFavorited() + ""); v.put(StatusesTable.Columns.TRUNCATED, status.isTruncated()); // TODO: v.put(StatusesTable.Columns.IN_REPLY_TO_STATUS_ID, status.getInReplyToStatusId()); v.put(StatusesTable.Columns.IN_REPLY_TO_USER_ID, status.getInReplyToUserId()); // v.put(StatusTable.Columns.IN_REPLY_TO_SCREEN_NAME, // status.getInReplyToScreenName()); // v.put(IS_REPLY, status.isReply()); v.put(StatusesTable.Columns.CREATED_AT, TwitterDatabase.DB_DATE_FORMATTER.format(status.getCreatedAt())); v.put(StatusesTable.Columns.SOURCE, status.getSource()); // v.put(StatusTable.Columns.IS_UNREAD, status.isUnRead()); final User user = status.getUser(); if (user != null) { v.put(UserTable.Columns.USER_ID, user.getId()); v.put(UserTable.Columns.SCREEN_NAME, user.getScreenName()); v.put(UserTable.Columns.PROFILE_IMAGE_URL, user.getProfileImageUrl()); } final Photo photo = status.getPhotoUrl(); /* * if (photo != null) { v.put(StatusTable.Columns.PIC_THUMB, * photo.getThumburl()); v.put(StatusTable.Columns.PIC_MID, * photo.getImageurl()); v.put(StatusTable.Columns.PIC_ORIG, * photo.getLargeurl()); } */ return v; } private static final RowMapper<Status> mRowMapper = new RowMapper<Status>() { @Override public Status mapRow(Cursor cursor, int rowNum) { Photo photo = new Photo(); /* * photo.setImageurl(cursor.getString(cursor * .getColumnIndex(StatusTable.Columns.PIC_MID))); * photo.setLargeurl(cursor.getString(cursor * .getColumnIndex(StatusTable.Columns.PIC_ORIG))); * photo.setThumburl(cursor.getString(cursor * .getColumnIndex(StatusTable.Columns.PIC_THUMB))); */ User user = new User(); user.setScreenName(cursor.getString(cursor .getColumnIndex(UserTable.Columns.SCREEN_NAME))); user.setId(cursor.getString(cursor .getColumnIndex(UserTable.Columns.USER_ID))); user.setProfileImageUrl(cursor.getString(cursor .getColumnIndex(UserTable.Columns.PROFILE_IMAGE_URL))); Status status = new Status(); status.setPhotoUrl(photo); status.setUser(user); status.setOwnerId(cursor.getString(cursor .getColumnIndex(StatusesPropertyTable.Columns.OWNER_ID))); // TODO: 将数据库中的statusType改成Int类型 status.setType(cursor.getInt(cursor .getColumnIndex(StatusesPropertyTable.Columns.TYPE))); status.setId(cursor.getString(cursor .getColumnIndex(StatusesTable.Columns.ID))); status.setCreatedAt(DateTimeHelper.parseDateTimeFromSqlite(cursor .getString(cursor .getColumnIndex(StatusesTable.Columns.CREATED_AT)))); // TODO: 更改favorite 在数据库类型为boolean后改为 " != 0 " status.setFavorited(cursor.getString( cursor.getColumnIndex(StatusesTable.Columns.FAVORITED)) .equals("true")); status.setText(cursor.getString(cursor .getColumnIndex(StatusesTable.Columns.TEXT))); status.setSource(cursor.getString(cursor .getColumnIndex(StatusesTable.Columns.SOURCE))); // status.setInReplyToScreenName(cursor.getString(cursor // .getColumnIndex(StatusTable.IN_REPLY_TO_SCREEN_NAME))); status.setInReplyToStatusId(cursor.getString(cursor .getColumnIndex(StatusesTable.Columns.IN_REPLY_TO_STATUS_ID))); status.setInReplyToUserId(cursor.getString(cursor .getColumnIndex(StatusesTable.Columns.IN_REPLY_TO_USER_ID))); status.setTruncated(cursor.getInt(cursor .getColumnIndex(StatusesTable.Columns.TRUNCATED)) != 0); // status.setUnRead(cursor.getInt(cursor // .getColumnIndex(StatusTable.Columns.IS_UNREAD)) != 0); return status; } }; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/dao/StatusDAO.java
Java
asf20
9,581
package com.ch_linghu.fanfoudroid.task; public enum TaskResult { OK, FAILED, CANCELLED, NOT_FOLLOWED_ERROR, IO_ERROR, AUTH_ERROR }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskResult.java
Java
asf20
134
package com.ch_linghu.fanfoudroid.task; import android.app.ProgressDialog; import android.content.Context; import android.util.Log; import android.widget.Toast; import com.ch_linghu.fanfoudroid.ui.base.WithHeaderActivity; public abstract class TaskFeedback { private static TaskFeedback _instance = null; public static final int DIALOG_MODE = 0x01; public static final int REFRESH_MODE = 0x02; public static final int PROGRESS_MODE = 0x03; public static TaskFeedback getInstance(int type, Context context) { switch (type) { case DIALOG_MODE: _instance = DialogFeedback.getInstance(); break; case REFRESH_MODE: _instance = RefreshAnimationFeedback.getInstance(); break; case PROGRESS_MODE: _instance = ProgressBarFeedback.getInstance(); } _instance.setContext(context); return _instance; } protected Context _context; protected void setContext(Context context) { _context = context; } public Context getContent() { return _context; } // default do nothing public void start(String prompt) { }; public void cancel() { }; public void success(String prompt) { }; public void success() { success(""); }; public void failed(String prompt) { }; public void showProgress(int progress) { }; } /** * */ class DialogFeedback extends TaskFeedback { private static DialogFeedback _instance = null; public static DialogFeedback getInstance() { if (_instance == null) { _instance = new DialogFeedback(); } return _instance; } private ProgressDialog _dialog = null; @Override public void cancel() { if (_dialog != null) { _dialog.dismiss(); } } @Override public void failed(String prompt) { if (_dialog != null) { _dialog.dismiss(); } Toast toast = Toast.makeText(_context, prompt, Toast.LENGTH_LONG); toast.show(); } @Override public void start(String prompt) { _dialog = ProgressDialog.show(_context, "", prompt, true); _dialog.setCancelable(true); } @Override public void success(String prompt) { if (_dialog != null) { _dialog.dismiss(); } } } /** * */ class RefreshAnimationFeedback extends TaskFeedback { private static RefreshAnimationFeedback _instance = null; public static RefreshAnimationFeedback getInstance() { if (_instance == null) { _instance = new RefreshAnimationFeedback(); } return _instance; } private WithHeaderActivity _activity; @Override protected void setContext(Context context) { super.setContext(context); _activity = (WithHeaderActivity) context; } @Override public void cancel() { _activity.setRefreshAnimation(false); } @Override public void failed(String prompt) { _activity.setRefreshAnimation(false); Toast toast = Toast.makeText(_context, prompt, Toast.LENGTH_LONG); toast.show(); } @Override public void start(String prompt) { _activity.setRefreshAnimation(true); } @Override public void success(String prompt) { _activity.setRefreshAnimation(false); } } /** * */ class ProgressBarFeedback extends TaskFeedback { private static ProgressBarFeedback _instance = null; public static ProgressBarFeedback getInstance() { if (_instance == null) { _instance = new ProgressBarFeedback(); } return _instance; } private WithHeaderActivity _activity; @Override protected void setContext(Context context) { super.setContext(context); _activity = (WithHeaderActivity) context; } @Override public void cancel() { _activity.setGlobalProgress(0); } @Override public void failed(String prompt) { cancel(); Toast toast = Toast.makeText(_context, prompt, Toast.LENGTH_LONG); toast.show(); } @Override public void start(String prompt) { _activity.setGlobalProgress(10); } @Override public void success(String prompt) { Log.d("LDS", "ON SUCCESS"); _activity.setGlobalProgress(0); } @Override public void showProgress(int progress) { _activity.setGlobalProgress(progress); } // mProgress.setIndeterminate(true); }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskFeedback.java
Java
asf20
3,972
package com.ch_linghu.fanfoudroid.task; public abstract class TaskAdapter implements TaskListener { public abstract String getName(); public void onPreExecute(GenericTask task) { }; public void onPostExecute(GenericTask task, TaskResult result) { }; public void onProgressUpdate(GenericTask task, Object param) { }; public void onCancelled(GenericTask task) { }; }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskAdapter.java
Java
asf20
380
package com.ch_linghu.fanfoudroid.task; import android.util.Log; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.data.Tweet; import com.ch_linghu.fanfoudroid.db.StatusTable; import com.ch_linghu.fanfoudroid.http.HttpException; import com.ch_linghu.fanfoudroid.ui.base.BaseActivity; public class TweetCommonTask { public static class DeleteTask extends GenericTask { public static final String TAG = "DeleteTask"; private BaseActivity activity; public DeleteTask(BaseActivity activity) { this.activity = activity; } @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; try { String id = param.getString("id"); com.ch_linghu.fanfoudroid.fanfou.Status status = null; status = activity.getApi().destroyStatus(id); // 对所有相关表的对应消息都进行删除(如果存在的话) activity.getDb().deleteTweet(status.getId(), "", -1); } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } return TaskResult.OK; } } public static class FavoriteTask extends GenericTask { private static final String TAG = "FavoriteTask"; private BaseActivity activity; public static final String TYPE_ADD = "add"; public static final String TYPE_DEL = "del"; private String type; public String getType() { return type; } public FavoriteTask(BaseActivity activity) { this.activity = activity; } @Override protected TaskResult _doInBackground(TaskParams... params) { TaskParams param = params[0]; try { String action = param.getString("action"); String id = param.getString("id"); com.ch_linghu.fanfoudroid.fanfou.Status status = null; if (action.equals(TYPE_ADD)) { status = activity.getApi().createFavorite(id); activity.getDb().setFavorited(id, "true"); type = TYPE_ADD; } else { status = activity.getApi().destroyFavorite(id); activity.getDb().setFavorited(id, "false"); type = TYPE_DEL; } Tweet tweet = Tweet.create(status); // if (!Utils.isEmpty(tweet.profileImageUrl)) { // // Fetch image to cache. // try { // activity.getImageManager().put(tweet.profileImageUrl); // } catch (IOException e) { // Log.e(TAG, e.getMessage(), e); // } // } if (action.equals(TYPE_DEL)) { activity.getDb().deleteTweet(tweet.id, TwitterApplication.getMyselfId(false), StatusTable.TYPE_FAVORITE); } } catch (HttpException e) { Log.e(TAG, e.getMessage(), e); return TaskResult.IO_ERROR; } return TaskResult.OK; } } // public static class UserTask extends GenericTask{ // // @Override // protected TaskResult _doInBackground(TaskParams... params) { // // TODO Auto-generated method stub // return null; // } // // } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TweetCommonTask.java
Java
asf20
2,875
package com.ch_linghu.fanfoudroid.task; import java.util.HashMap; import org.json.JSONException; import com.ch_linghu.fanfoudroid.http.HttpException; /** * 暂未使用,待观察是否今后需要此类 * * @author lds * */ public class TaskParams { private HashMap<String, Object> params = null; public TaskParams() { params = new HashMap<String, Object>(); } public TaskParams(String key, Object value) { this(); put(key, value); } public void put(String key, Object value) { params.put(key, value); } public Object get(String key) { return params.get(key); } /** * Get the boolean value associated with a key. * * @param key * A key string. * @return The truth. * @throws HttpException * if the value is not a Boolean or the String "true" or * "false". */ public boolean getBoolean(String key) throws HttpException { Object object = get(key); if (object.equals(Boolean.FALSE) || (object instanceof String && ((String) object) .equalsIgnoreCase("false"))) { return false; } else if (object.equals(Boolean.TRUE) || (object instanceof String && ((String) object) .equalsIgnoreCase("true"))) { return true; } throw new HttpException(key + " is not a Boolean."); } /** * Get the double value associated with a key. * * @param key * A key string. * @return The numeric value. * @throws HttpException * if the key is not found or if the value is not a Number * object and cannot be converted to a number. */ public double getDouble(String key) throws HttpException { Object object = get(key); try { return object instanceof Number ? ((Number) object).doubleValue() : Double.parseDouble((String) object); } catch (Exception e) { throw new HttpException(key + " is not a number."); } } /** * Get the int value associated with a key. * * @param key * A key string. * @return The integer value. * @throws HttpException * if the key is not found or if the value cannot be converted * to an integer. */ public int getInt(String key) throws HttpException { Object object = get(key); try { return object instanceof Number ? ((Number) object).intValue() : Integer.parseInt((String) object); } catch (Exception e) { throw new HttpException(key + " is not an int."); } } /** * Get the string associated with a key. * * @param key * A key string. * @return A string which is the value. * @throws JSONException * if the key is not found. */ public String getString(String key) throws HttpException { Object object = get(key); return object == null ? null : object.toString(); } /** * Determine if the JSONObject contains a specific key. * * @param key * A key string. * @return true if the key exists in the JSONObject. */ public boolean has(String key) { return this.params.containsKey(key); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskParams.java
Java
asf20
3,044
package com.ch_linghu.fanfoudroid.task; public interface TaskListener { String getName(); void onPreExecute(GenericTask task); void onPostExecute(GenericTask task, TaskResult result); void onProgressUpdate(GenericTask task, Object param); void onCancelled(GenericTask task); }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskListener.java
Java
asf20
287
package com.ch_linghu.fanfoudroid.task; import java.util.Observable; import java.util.Observer; import android.os.AsyncTask; import android.util.Log; import android.widget.Toast; import com.ch_linghu.fanfoudroid.TwitterApplication; import com.ch_linghu.fanfoudroid.ui.module.Feedback; public abstract class GenericTask extends AsyncTask<TaskParams, Object, TaskResult> implements Observer { private static final String TAG = "TaskManager"; private TaskListener mListener = null; private Feedback mFeedback = null; private boolean isCancelable = true; abstract protected TaskResult _doInBackground(TaskParams... params); public void setListener(TaskListener taskListener) { mListener = taskListener; } public TaskListener getListener() { return mListener; } public void doPublishProgress(Object... values) { super.publishProgress(values); } @Override protected void onCancelled() { super.onCancelled(); if (mListener != null) { mListener.onCancelled(this); } Log.d(TAG, mListener.getName() + " has been Cancelled."); Toast.makeText(TwitterApplication.mContext, mListener.getName() + " has been cancelled", Toast.LENGTH_SHORT); } @Override protected void onPostExecute(TaskResult result) { super.onPostExecute(result); if (mListener != null) { mListener.onPostExecute(this, result); } if (mFeedback != null) { mFeedback.success(""); } /* * Toast.makeText(TwitterApplication.mContext, mListener.getName() + * " completed", Toast.LENGTH_SHORT); */ } @Override protected void onPreExecute() { super.onPreExecute(); if (mListener != null) { mListener.onPreExecute(this); } if (mFeedback != null) { mFeedback.start(""); } } @Override protected void onProgressUpdate(Object... values) { super.onProgressUpdate(values); if (mListener != null) { if (values != null && values.length > 0) { mListener.onProgressUpdate(this, values[0]); } } if (mFeedback != null) { mFeedback.update(values[0]); } } @Override protected TaskResult doInBackground(TaskParams... params) { TaskResult result = _doInBackground(params); if (mFeedback != null) { mFeedback.update(99); } return result; } public void update(Observable o, Object arg) { if (TaskManager.CANCEL_ALL == (Integer) arg && isCancelable) { if (getStatus() == GenericTask.Status.RUNNING) { cancel(true); } } } public void setCancelable(boolean flag) { isCancelable = flag; } public void setFeedback(Feedback feedback) { mFeedback = feedback; } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/GenericTask.java
Java
asf20
2,559
package com.ch_linghu.fanfoudroid.task; import java.util.Observable; import java.util.Observer; import android.util.Log; public class TaskManager extends Observable { private static final String TAG = "TaskManager"; public static final Integer CANCEL_ALL = 1; public void cancelAll() { Log.d(TAG, "All task Cancelled."); setChanged(); notifyObservers(CANCEL_ALL); } public void addTask(Observer task) { super.addObserver(task); } }
zzys3228-fanfou
src/com/ch_linghu/fanfoudroid/task/TaskManager.java
Java
asf20
451