]> git.saurik.com Git - cydia.git/blame_incremental - MobileCydia.mm
Ignore .dSYM folders I am suddenly ending up with.
[cydia.git] / MobileCydia.mm
... / ...
CommitLineData
1/* Cydia - iPhone UIKit Front-End for Debian APT
2 * Copyright (C) 2008-2015 Jay Freeman (saurik)
3*/
4
5/* GNU General Public License, Version 3 {{{ */
6/*
7 * Cydia is free software: you can redistribute it and/or modify
8 * it under the terms of the GNU General Public License as published
9 * by the Free Software Foundation, either version 3 of the License,
10 * or (at your option) any later version.
11 *
12 * Cydia is distributed in the hope that it will be useful, but
13 * WITHOUT ANY WARRANTY; without even the implied warranty of
14 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 * GNU General Public License for more details.
16 *
17 * You should have received a copy of the GNU General Public License
18 * along with Cydia. If not, see <http://www.gnu.org/licenses/>.
19**/
20/* }}} */
21
22// XXX: wtf/FastMalloc.h... wtf?
23#define USE_SYSTEM_MALLOC 1
24
25/* #include Directives {{{ */
26#include "CyteKit/UCPlatform.h"
27#include "CyteKit/Localize.h"
28
29#include <unicode/ustring.h>
30#include <unicode/utrans.h>
31
32#include <objc/objc.h>
33#include <objc/runtime.h>
34
35#include <CoreGraphics/CoreGraphics.h>
36#include <Foundation/Foundation.h>
37
38#if 0
39#define DEPLOYMENT_TARGET_MACOSX 1
40#define CF_BUILDING_CF 1
41#include <CoreFoundation/CFInternal.h>
42#endif
43
44#include <CoreFoundation/CFUniChar.h>
45
46#include <SystemConfiguration/SystemConfiguration.h>
47
48#include <UIKit/UIKit.h>
49#include "iPhonePrivate.h"
50
51#include <QuartzCore/CALayer.h>
52
53#include <WebCore/WebCoreThread.h>
54
55#include <algorithm>
56#include <fstream>
57#include <iomanip>
58#include <set>
59#include <sstream>
60#include <string>
61
62#include "fdstream.hpp"
63
64#undef ABS
65
66#include "apt.h"
67#include <apt-pkg/acquire.h>
68#include <apt-pkg/acquire-item.h>
69#include <apt-pkg/algorithms.h>
70#include <apt-pkg/cachefile.h>
71#include <apt-pkg/clean.h>
72#include <apt-pkg/configuration.h>
73#include <apt-pkg/debindexfile.h>
74#include <apt-pkg/debmetaindex.h>
75#include <apt-pkg/error.h>
76#include <apt-pkg/init.h>
77#include <apt-pkg/mmap.h>
78#include <apt-pkg/pkgrecords.h>
79#include <apt-pkg/sha1.h>
80#include <apt-pkg/sourcelist.h>
81#include <apt-pkg/sptr.h>
82#include <apt-pkg/strutl.h>
83#include <apt-pkg/tagfile.h>
84
85#include <sys/types.h>
86#include <sys/stat.h>
87#include <sys/sysctl.h>
88#include <sys/param.h>
89#include <sys/mount.h>
90#include <sys/reboot.h>
91
92#include <dirent.h>
93#include <fcntl.h>
94#include <notify.h>
95#include <dlfcn.h>
96
97extern "C" {
98#include <mach-o/nlist.h>
99}
100
101#include <cstdio>
102#include <cstdlib>
103#include <cstring>
104
105#include <errno.h>
106
107#include <Cytore.hpp>
108#include "Sources.h"
109
110#include "Substrate.hpp"
111#include "Menes/Menes.h"
112
113#include "CyteKit/CyteKit.h"
114#include "CyteKit/RegEx.hpp"
115
116#include "Cydia/MIMEAddress.h"
117#include "Cydia/LoadingViewController.h"
118#include "Cydia/ProgressEvent.h"
119/* }}} */
120
121/* Profiler {{{ */
122struct timeval _ltv;
123bool _itv;
124
125#define _timestamp ({ \
126 struct timeval tv; \
127 gettimeofday(&tv, NULL); \
128 tv.tv_sec * 1000000 + tv.tv_usec; \
129})
130
131typedef std::vector<class ProfileTime *> TimeList;
132TimeList times_;
133
134class ProfileTime {
135 private:
136 const char *name_;
137 uint64_t total_;
138 uint64_t count_;
139
140 public:
141 ProfileTime(const char *name) :
142 name_(name),
143 total_(0)
144 {
145 times_.push_back(this);
146 }
147
148 void AddTime(uint64_t time) {
149 total_ += time;
150 ++count_;
151 }
152
153 void Print() {
154 if (total_ != 0)
155 std::cerr << std::setw(7) << count_ << ", " << std::setw(8) << total_ << " : " << name_ << std::endl;
156 total_ = 0;
157 count_ = 0;
158 }
159};
160
161class ProfileTimer {
162 private:
163 ProfileTime &time_;
164 uint64_t start_;
165
166 public:
167 ProfileTimer(ProfileTime &time) :
168 time_(time),
169 start_(_timestamp)
170 {
171 }
172
173 ~ProfileTimer() {
174 time_.AddTime(_timestamp - start_);
175 }
176};
177
178void PrintTimes() {
179 for (TimeList::const_iterator i(times_.begin()); i != times_.end(); ++i)
180 (*i)->Print();
181 std::cerr << "========" << std::endl;
182}
183
184#define _profile(name) { \
185 static ProfileTime name(#name); \
186 ProfileTimer _ ## name(name);
187
188#define _end }
189/* }}} */
190
191extern NSString *Cydia_;
192
193#define lprintf(args...) fprintf(stderr, args)
194
195#define ForRelease 1
196#define TraceLogging (1 && !ForRelease)
197#define HistogramInsertionSort (0 && !ForRelease)
198#define ProfileTimes (0 && !ForRelease)
199#define ForSaurik (0 && !ForRelease)
200#define LogBrowser (0 && !ForRelease)
201#define TrackResize (0 && !ForRelease)
202#define ManualRefresh (1 && !ForRelease)
203#define ShowInternals (0 && !ForRelease)
204#define AlwaysReload (0 && !ForRelease)
205
206#if !TraceLogging
207#undef _trace
208#define _trace(args...)
209#endif
210
211#if !ProfileTimes
212#undef _profile
213#define _profile(name) {
214#undef _end
215#define _end }
216#define PrintTimes() do {} while (false)
217#endif
218
219// Hash Functions/Structures {{{
220extern "C" uint32_t hashlittle(const void *key, size_t length, uint32_t initval = 0);
221
222union SplitHash {
223 uint32_t u32;
224 uint16_t u16[2];
225};
226// }}}
227
228static NSString *Colon_;
229NSString *Elision_;
230static NSString *Error_;
231static NSString *Warning_;
232
233static NSString *Cache_;
234#define Cache(file) \
235 [NSString stringWithFormat:@"%@/%s", Cache_, file]
236
237static void (*$SBSSetInterceptsMenuButtonForever)(bool);
238static NSData *(*$SBSCopyIconImagePNGDataForDisplayIdentifier)(NSString *);
239
240static CFStringRef (*$MGCopyAnswer)(CFStringRef);
241
242static NSString *UniqueIdentifier(UIDevice *device = nil) {
243 if (kCFCoreFoundationVersionNumber < 800) // iOS 7.x
244 return [device ?: [UIDevice currentDevice] uniqueIdentifier];
245 else
246 return [(id)$MGCopyAnswer(CFSTR("UniqueDeviceID")) autorelease];
247}
248
249static const NSUInteger UIViewAutoresizingFlexibleBoth(UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight);
250
251static _finline NSString *CydiaURL(NSString *path) {
252 char page[26];
253 page[0] = 'h'; page[1] = 't'; page[2] = 't'; page[3] = 'p'; page[4] = 's';
254 page[5] = ':'; page[6] = '/'; page[7] = '/'; page[8] = 'c'; page[9] = 'y';
255 page[10] = 'd'; page[11] = 'i'; page[12] = 'a'; page[13] = '.'; page[14] = 's';
256 page[15] = 'a'; page[16] = 'u'; page[17] = 'r'; page[18] = 'i'; page[19] = 'k';
257 page[20] = '.'; page[21] = 'c'; page[22] = 'o'; page[23] = 'm'; page[24] = '/';
258 page[25] = '\0';
259 return [[NSString stringWithUTF8String:page] stringByAppendingString:path];
260}
261
262static NSString *ShellEscape(NSString *value) {
263 return [NSString stringWithFormat:@"'%@'", [value stringByReplacingOccurrencesOfString:@"'" withString:@"'\\''"]];
264}
265
266static _finline void UpdateExternalStatus(uint64_t newStatus) {
267 int notify_token;
268 if (notify_register_check("com.saurik.Cydia.status", &notify_token) == NOTIFY_STATUS_OK) {
269 notify_set_state(notify_token, newStatus);
270 notify_cancel(notify_token);
271 }
272 notify_post("com.saurik.Cydia.status");
273}
274
275/* NSForcedOrderingSearch doesn't work on the iPhone */
276static const NSStringCompareOptions MatchCompareOptions_ = NSLiteralSearch | NSCaseInsensitiveSearch;
277static const NSStringCompareOptions LaxCompareOptions_ = NSNumericSearch | NSDiacriticInsensitiveSearch | NSWidthInsensitiveSearch | NSCaseInsensitiveSearch;
278static const CFStringCompareFlags LaxCompareFlags_ = kCFCompareNumerically | kCFCompareWidthInsensitive | kCFCompareForcedOrdering;
279
280/* Insertion Sort {{{ */
281
282template <typename Type_>
283size_t CFBSearch_(const Type_ &element, const void *list, size_t count, CFComparisonResult (*comparator)(Type_, Type_, void *), void *context) {
284 const char *ptr = (const char *)list;
285 while (0 < count) {
286 size_t half = count / 2;
287 const char *probe = ptr + sizeof(Type_) * half;
288 CFComparisonResult cr = comparator(element, * (const Type_ *) probe, context);
289 if (0 == cr) return (probe - (const char *)list) / sizeof(Type_);
290 ptr = (cr < 0) ? ptr : probe + sizeof(Type_);
291 count = (cr < 0) ? half : (half + (count & 1) - 1);
292 }
293 return (ptr - (const char *)list) / sizeof(Type_);
294}
295
296template <typename Type_>
297void CYArrayInsertionSortValues(Type_ *values, size_t length, CFComparisonResult (*comparator)(Type_, Type_, void *), void *context) {
298 if (length == 0)
299 return;
300
301#if HistogramInsertionSort > 0
302 uint32_t total(0), *offsets(new uint32_t[length]);
303#endif
304
305 for (size_t index(1); index != length; ++index) {
306 Type_ value(values[index]);
307#if 0
308 size_t correct(CFBSearch_(value, values, index, comparator, context));
309#else
310 size_t correct(index);
311 while (comparator(value, values[correct - 1], context) == kCFCompareLessThan) {
312#if HistogramInsertionSort > 1
313 NSLog(@"%@ < %@", value, values[correct - 1]);
314#endif
315 if (--correct == 0)
316 break;
317 if (index - correct >= 8) {
318 correct = CFBSearch_(value, values, correct, comparator, context);
319 break;
320 }
321 }
322#endif
323 if (correct != index) {
324 size_t offset(index - correct);
325#if HistogramInsertionSort
326 total += offset;
327 ++offsets[offset];
328 if (offset > 10)
329 NSLog(@"Heavy Insertion Displacement: %u = %@", offset, value);
330#endif
331 memmove(values + correct + 1, values + correct, sizeof(const void *) * offset);
332 values[correct] = value;
333 }
334 }
335
336#if HistogramInsertionSort > 0
337 for (size_t index(0); index != range.length; ++index)
338 if (offsets[index] != 0)
339 NSLog(@"Insertion Displacement [%u]: %u", index, offsets[index]);
340 NSLog(@"Average Insertion Displacement: %f", double(total) / range.length);
341 delete [] offsets;
342#endif
343}
344
345/* }}} */
346
347/* Cydia NSString Additions {{{ */
348@interface NSString (Cydia)
349- (NSComparisonResult) compareByPath:(NSString *)other;
350- (NSString *) stringByAddingPercentEscapesIncludingReserved;
351@end
352
353@implementation NSString (Cydia)
354
355- (NSComparisonResult) compareByPath:(NSString *)other {
356 NSString *prefix = [self commonPrefixWithString:other options:0];
357 size_t length = [prefix length];
358
359 NSRange lrange = NSMakeRange(length, [self length] - length);
360 NSRange rrange = NSMakeRange(length, [other length] - length);
361
362 lrange = [self rangeOfString:@"/" options:0 range:lrange];
363 rrange = [other rangeOfString:@"/" options:0 range:rrange];
364
365 NSComparisonResult value;
366
367 if (lrange.location == NSNotFound && rrange.location == NSNotFound)
368 value = NSOrderedSame;
369 else if (lrange.location == NSNotFound)
370 value = NSOrderedAscending;
371 else if (rrange.location == NSNotFound)
372 value = NSOrderedDescending;
373 else
374 value = NSOrderedSame;
375
376 NSString *lpath = lrange.location == NSNotFound ? [self substringFromIndex:length] :
377 [self substringWithRange:NSMakeRange(length, lrange.location - length)];
378 NSString *rpath = rrange.location == NSNotFound ? [other substringFromIndex:length] :
379 [other substringWithRange:NSMakeRange(length, rrange.location - length)];
380
381 NSComparisonResult result = [lpath compare:rpath];
382 return result == NSOrderedSame ? value : result;
383}
384
385- (NSString *) stringByAddingPercentEscapesIncludingReserved {
386 return [(id)CFURLCreateStringByAddingPercentEscapes(
387 kCFAllocatorDefault,
388 (CFStringRef) self,
389 NULL,
390 CFSTR(";/?:@&=+$,"),
391 kCFStringEncodingUTF8
392 ) autorelease];
393}
394
395@end
396/* }}} */
397
398/* C++ NSString Wrapper Cache {{{ */
399static _finline CFStringRef CYStringCreate(const char *data, size_t size) {
400 return size == 0 ? NULL :
401 CFStringCreateWithBytesNoCopy(kCFAllocatorDefault, reinterpret_cast<const uint8_t *>(data), size, kCFStringEncodingUTF8, NO, kCFAllocatorNull) ?:
402 CFStringCreateWithBytesNoCopy(kCFAllocatorDefault, reinterpret_cast<const uint8_t *>(data), size, kCFStringEncodingISOLatin1, NO, kCFAllocatorNull);
403}
404
405static _finline CFStringRef CYStringCreate(const std::string &data) {
406 return CYStringCreate(data.data(), data.size());
407}
408
409static _finline CFStringRef CYStringCreate(const char *data) {
410 return CYStringCreate(data, strlen(data));
411}
412
413class CYString {
414 private:
415 char *data_;
416 size_t size_;
417 CFStringRef cache_;
418
419 _finline void clear_() {
420 if (cache_ != NULL) {
421 CFRelease(cache_);
422 cache_ = NULL;
423 }
424 }
425
426 public:
427 _finline bool empty() const {
428 return size_ == 0;
429 }
430
431 _finline size_t size() const {
432 return size_;
433 }
434
435 _finline char *data() const {
436 return data_;
437 }
438
439 _finline void clear() {
440 size_ = 0;
441 clear_();
442 }
443
444 _finline CYString() :
445 data_(0),
446 size_(0),
447 cache_(NULL)
448 {
449 }
450
451 _finline ~CYString() {
452 clear_();
453 }
454
455 void operator =(const CYString &rhs) {
456 data_ = rhs.data_;
457 size_ = rhs.size_;
458
459 if (rhs.cache_ == nil)
460 cache_ = NULL;
461 else
462 cache_ = reinterpret_cast<CFStringRef>(CFRetain(rhs.cache_));
463 }
464
465 void copy(CYPool *pool) {
466 char *temp(pool->malloc<char>(size_ + 1));
467 memcpy(temp, data_, size_);
468 temp[size_] = '\0';
469 data_ = temp;
470 }
471
472 void set(CYPool *pool, const char *data, size_t size) {
473 if (size == 0)
474 clear();
475 else {
476 clear_();
477
478 data_ = const_cast<char *>(data);
479 size_ = size;
480
481 if (pool != NULL)
482 copy(pool);
483 }
484 }
485
486 _finline void set(CYPool *pool, const char *data) {
487 set(pool, data, data == NULL ? 0 : strlen(data));
488 }
489
490 _finline void set(CYPool *pool, const std::string &rhs) {
491 set(pool, rhs.data(), rhs.size());
492 }
493
494 bool operator ==(const CYString &rhs) const {
495 return size_ == rhs.size_ && memcmp(data_, rhs.data_, size_) == 0;
496 }
497
498 _finline operator CFStringRef() {
499 if (cache_ == NULL)
500 cache_ = CYStringCreate(data_, size_);
501 return cache_;
502 }
503
504 _finline operator id() {
505 return (NSString *) static_cast<CFStringRef>(*this);
506 }
507
508 _finline operator const char *() {
509 return reinterpret_cast<const char *>(data_);
510 }
511};
512/* }}} */
513/* C++ NSString Algorithm Adapters {{{ */
514extern "C" {
515 CF_EXPORT CFHashCode CFStringHashNSString(CFStringRef str);
516}
517
518struct NSStringMapHash :
519 std::unary_function<NSString *, size_t>
520{
521 _finline size_t operator ()(NSString *value) const {
522 return CFStringHashNSString((CFStringRef) value);
523 }
524};
525
526struct NSStringMapLess :
527 std::binary_function<NSString *, NSString *, bool>
528{
529 _finline bool operator ()(NSString *lhs, NSString *rhs) const {
530 return [lhs compare:rhs] == NSOrderedAscending;
531 }
532};
533
534struct NSStringMapEqual :
535 std::binary_function<NSString *, NSString *, bool>
536{
537 _finline bool operator ()(NSString *lhs, NSString *rhs) const {
538 return CFStringCompare((CFStringRef) lhs, (CFStringRef) rhs, 0) == kCFCompareEqualTo;
539 //CFEqual((CFTypeRef) lhs, (CFTypeRef) rhs);
540 //[lhs isEqualToString:rhs];
541 }
542};
543/* }}} */
544
545/* CoreGraphics Primitives {{{ */
546class CYColor {
547 private:
548 CGColorRef color_;
549
550 static CGColorRef Create_(CGColorSpaceRef space, float red, float green, float blue, float alpha) {
551 CGFloat color[] = {red, green, blue, alpha};
552 return CGColorCreate(space, color);
553 }
554
555 public:
556 CYColor() :
557 color_(NULL)
558 {
559 }
560
561 CYColor(CGColorSpaceRef space, float red, float green, float blue, float alpha) :
562 color_(Create_(space, red, green, blue, alpha))
563 {
564 Set(space, red, green, blue, alpha);
565 }
566
567 void Clear() {
568 if (color_ != NULL)
569 CGColorRelease(color_);
570 }
571
572 ~CYColor() {
573 Clear();
574 }
575
576 void Set(CGColorSpaceRef space, float red, float green, float blue, float alpha) {
577 Clear();
578 color_ = Create_(space, red, green, blue, alpha);
579 }
580
581 operator CGColorRef() {
582 return color_;
583 }
584};
585/* }}} */
586
587/* Random Global Variables {{{ */
588static int PulseInterval_ = 500000;
589
590static const NSString *UI_;
591
592static int Finish_;
593static bool RestartSubstrate_;
594static NSArray *Finishes_;
595
596#define SpringBoard_ "/System/Library/LaunchDaemons/com.apple.SpringBoard.plist"
597#define NotifyConfig_ "/etc/notify.conf"
598
599static bool Queuing_;
600
601static CYColor Blue_;
602static CYColor Blueish_;
603static CYColor Black_;
604static CYColor Folder_;
605static CYColor Off_;
606static CYColor White_;
607static CYColor Gray_;
608static CYColor Green_;
609static CYColor Purple_;
610static CYColor Purplish_;
611
612static UIColor *InstallingColor_;
613static UIColor *RemovingColor_;
614
615static NSString *App_;
616
617static BOOL Advanced_;
618static BOOL Ignored_;
619
620static _H<UIFont> Font12_;
621static _H<UIFont> Font12Bold_;
622static _H<UIFont> Font14_;
623static _H<UIFont> Font18_;
624static _H<UIFont> Font18Bold_;
625static _H<UIFont> Font22Bold_;
626
627static _H<NSString> UniqueID_;
628
629static _H<NSLocale> CollationLocale_;
630static _H<NSArray> CollationThumbs_;
631static std::vector<NSInteger> CollationOffset_;
632static _H<NSArray> CollationTitles_;
633static _H<NSArray> CollationStarts_;
634static UTransliterator *CollationTransl_;
635//static Function<NSString *, NSString *> CollationModify_;
636
637typedef std::basic_string<UChar> ustring;
638static ustring CollationString_;
639
640#define CUC const ustring &str(*reinterpret_cast<const ustring *>(rep))
641#define UC ustring &str(*reinterpret_cast<ustring *>(rep))
642static struct UReplaceableCallbacks CollationUCalls_ = {
643 .length = [](const UReplaceable *rep) -> int32_t { CUC;
644 return str.size();
645 },
646
647 .charAt = [](const UReplaceable *rep, int32_t offset) -> UChar { CUC;
648 //fprintf(stderr, "charAt(%d) : %d\n", offset, str.size());
649 if (offset >= str.size())
650 return 0xffff;
651 return str[offset];
652 },
653
654 .char32At = [](const UReplaceable *rep, int32_t offset) -> UChar32 { CUC;
655 //fprintf(stderr, "char32At(%d) : %d\n", offset, str.size());
656 if (offset >= str.size())
657 return 0xffff;
658 UChar32 c;
659 U16_GET(str.data(), 0, offset, str.size(), c);
660 return c;
661 },
662
663 .replace = [](UReplaceable *rep, int32_t start, int32_t limit, const UChar *text, int32_t length) -> void { UC;
664 //fprintf(stderr, "replace(%d, %d, %d) : %d\n", start, limit, length, str.size());
665 str.replace(start, limit - start, text, length);
666 },
667
668 .extract = [](UReplaceable *rep, int32_t start, int32_t limit, UChar *dst) -> void { UC;
669 //fprintf(stderr, "extract(%d, %d) : %d\n", start, limit, str.size());
670 str.copy(dst, limit - start, start);
671 },
672
673 .copy = [](UReplaceable *rep, int32_t start, int32_t limit, int32_t dest) -> void { UC;
674 //fprintf(stderr, "copy(%d, %d, %d) : %d\n", start, limit, dest, str.size());
675 str.replace(dest, 0, str, start, limit - start);
676 },
677};
678
679static CFLocaleRef Locale_;
680static NSArray *Languages_;
681static CGColorSpaceRef space_;
682
683#define CacheState_ "/var/mobile/Library/Caches/com.saurik.Cydia/CacheState.plist"
684#define SavedState_ "/var/mobile/Library/Caches/com.saurik.Cydia/SavedState.plist"
685
686static NSDictionary *SectionMap_;
687static _H<NSDate> Backgrounded_;
688static _transient NSMutableDictionary *Values_;
689static _transient NSMutableDictionary *Sections_;
690_H<NSMutableDictionary> Sources_;
691static _transient NSNumber *Version_;
692static time_t now_;
693
694static _H<NSMutableDictionary> SessionData_;
695static _H<NSMutableSet> BridgedHosts_;
696static _H<NSMutableSet> InsecureHosts_;
697
698static NSString *kCydiaProgressEventTypeError = @"Error";
699static NSString *kCydiaProgressEventTypeInformation = @"Information";
700static NSString *kCydiaProgressEventTypeStatus = @"Status";
701static NSString *kCydiaProgressEventTypeWarning = @"Warning";
702/* }}} */
703
704/* Display Helpers {{{ */
705static _finline const char *StripVersion_(const char *version) {
706 const char *colon(strchr(version, ':'));
707 return colon == NULL ? version : colon + 1;
708}
709
710NSString *LocalizeSection(NSString *section) {
711 static RegEx title_r("(.*?) \\((.*)\\)");
712 if (title_r(section)) {
713 NSString *parent(title_r[1]);
714 NSString *child(title_r[2]);
715
716 return [NSString stringWithFormat:UCLocalize("PARENTHETICAL"),
717 LocalizeSection(parent),
718 LocalizeSection(child)
719 ];
720 }
721
722 return [[NSBundle mainBundle] localizedStringForKey:section value:nil table:@"Sections"];
723}
724
725NSString *Simplify(NSString *title) {
726 const char *data = [title UTF8String];
727 size_t size = [title lengthOfBytesUsingEncoding:NSUTF8StringEncoding];
728
729 static RegEx square_r("\\[(.*)\\]");
730 if (square_r(data, size))
731 return Simplify(square_r[1]);
732
733 static RegEx paren_r("\\((.*)\\)");
734 if (paren_r(data, size))
735 return Simplify(paren_r[1]);
736
737 static RegEx title_r("(.*?) \\((.*)\\)");
738 if (title_r(data, size))
739 return Simplify(title_r[1]);
740
741 return title;
742}
743/* }}} */
744
745bool isSectionVisible(NSString *section) {
746 NSDictionary *metadata([Sections_ objectForKey:(section ?: @"")]);
747 NSNumber *hidden(metadata == nil ? nil : [metadata objectForKey:@"Hidden"]);
748 return hidden == nil || ![hidden boolValue];
749}
750
751static NSString *VerifySource(NSString *href) {
752 static RegEx href_r("(http(s?)://|file:///)[^# ]*");
753 if (!href_r(href)) {
754 [[[[UIAlertView alloc]
755 initWithTitle:[NSString stringWithFormat:Colon_, Error_, UCLocalize("INVALID_URL")]
756 message:UCLocalize("INVALID_URL_EX")
757 delegate:nil
758 cancelButtonTitle:UCLocalize("OK")
759 otherButtonTitles:nil
760 ] autorelease] show];
761
762 return nil;
763 }
764
765 if (![href hasSuffix:@"/"])
766 href = [href stringByAppendingString:@"/"];
767 return href;
768}
769
770@class Cydia;
771
772/* Delegate Prototypes {{{ */
773@class Package;
774@class Source;
775@class CydiaProgressEvent;
776
777@protocol DatabaseDelegate
778- (void) repairWithSelector:(SEL)selector;
779- (void) setConfigurationData:(NSString *)data;
780- (void) addProgressEventOnMainThread:(CydiaProgressEvent *)event forTask:(NSString *)task;
781@end
782
783@class CYPackageController;
784
785@protocol SourceDelegate
786- (void) setFetch:(NSNumber *)fetch;
787@end
788
789@protocol FetchDelegate
790- (bool) isSourceCancelled;
791- (void) startSourceFetch:(NSString *)uri;
792- (void) stopSourceFetch:(NSString *)uri;
793@end
794
795@protocol CydiaDelegate
796- (void) returnToCydia;
797- (void) saveState;
798- (void) retainNetworkActivityIndicator;
799- (void) releaseNetworkActivityIndicator;
800- (void) clearPackage:(Package *)package;
801- (void) installPackage:(Package *)package;
802- (void) installPackages:(NSArray *)packages;
803- (void) removePackage:(Package *)package;
804- (void) beginUpdate;
805- (BOOL) updating;
806- (bool) requestUpdate;
807- (void) distUpgrade;
808- (void) loadData;
809- (void) updateData;
810- (void) _saveConfig;
811- (void) syncData;
812- (void) addSource:(NSDictionary *)source;
813- (BOOL) addTrivialSource:(NSString *)href;
814- (UIProgressHUD *) addProgressHUD;
815- (void) removeProgressHUD:(UIProgressHUD *)hud;
816- (void) showActionSheet:(UIActionSheet *)sheet fromItem:(UIBarButtonItem *)item;
817- (void) reloadDataWithInvocation:(NSInvocation *)invocation;
818@end
819/* }}} */
820
821/* CancelStatus {{{ */
822class CancelStatus :
823 public pkgAcquireStatus
824{
825 private:
826 bool cancelled_;
827
828 public:
829 CancelStatus() :
830 cancelled_(false)
831 {
832 }
833
834 virtual bool MediaChange(std::string media, std::string drive) {
835 return false;
836 }
837
838 virtual void IMSHit(pkgAcquire::ItemDesc &desc) {
839 Done(desc);
840 }
841
842 virtual bool Pulse_(pkgAcquire *Owner) = 0;
843
844 virtual bool Pulse(pkgAcquire *Owner) {
845 if (pkgAcquireStatus::Pulse(Owner) && Pulse_(Owner))
846 return true;
847 else {
848 cancelled_ = true;
849 return false;
850 }
851 }
852
853 _finline bool WasCancelled() const {
854 return cancelled_;
855 }
856};
857/* }}} */
858/* DelegateStatus {{{ */
859class CydiaStatus :
860 public CancelStatus
861{
862 private:
863 _transient NSObject<ProgressDelegate> *delegate_;
864
865 public:
866 CydiaStatus() :
867 delegate_(nil)
868 {
869 }
870
871 void setDelegate(NSObject<ProgressDelegate> *delegate) {
872 delegate_ = delegate;
873 }
874
875 virtual void Fetch(pkgAcquire::ItemDesc &desc) {
876 NSString *name([NSString stringWithUTF8String:desc.ShortDesc.c_str()]);
877 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithFormat:UCLocalize("DOWNLOADING_"), name] ofType:kCydiaProgressEventTypeStatus forItemDesc:desc]);
878 [delegate_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
879 }
880
881 virtual void Done(pkgAcquire::ItemDesc &desc) {
882 NSString *name([NSString stringWithUTF8String:desc.ShortDesc.c_str()]);
883 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithFormat:Colon_, UCLocalize("DONE"), name] ofType:kCydiaProgressEventTypeStatus forItemDesc:desc]);
884 [delegate_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
885 }
886
887 virtual void Fail(pkgAcquire::ItemDesc &desc) {
888 if (
889 desc.Owner->Status == pkgAcquire::Item::StatIdle ||
890 desc.Owner->Status == pkgAcquire::Item::StatDone
891 )
892 return;
893
894 std::string &error(desc.Owner->ErrorText);
895 if (error.empty())
896 return;
897
898 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:error.c_str()] ofType:kCydiaProgressEventTypeError forItemDesc:desc]);
899 [delegate_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
900 }
901
902 virtual bool Pulse_(pkgAcquire *Owner) {
903 double percent(
904 double(CurrentBytes + CurrentItems) /
905 double(TotalBytes + TotalItems)
906 );
907
908 [delegate_ performSelectorOnMainThread:@selector(setProgressStatus:) withObject:[NSDictionary dictionaryWithObjectsAndKeys:
909 [NSNumber numberWithDouble:percent], @"Percent",
910
911 [NSNumber numberWithDouble:CurrentBytes], @"Current",
912 [NSNumber numberWithDouble:TotalBytes], @"Total",
913 [NSNumber numberWithDouble:CurrentCPS], @"Speed",
914 nil] waitUntilDone:YES];
915
916 return ![delegate_ isProgressCancelled];
917 }
918
919 virtual void Start() {
920 pkgAcquireStatus::Start();
921 [delegate_ performSelectorOnMainThread:@selector(setProgressCancellable:) withObject:[NSNumber numberWithBool:YES] waitUntilDone:YES];
922 }
923
924 virtual void Stop() {
925 pkgAcquireStatus::Stop();
926 [delegate_ performSelectorOnMainThread:@selector(setProgressCancellable:) withObject:[NSNumber numberWithBool:NO] waitUntilDone:YES];
927 [delegate_ performSelectorOnMainThread:@selector(setProgressStatus:) withObject:nil waitUntilDone:YES];
928 }
929};
930/* }}} */
931/* Database Interface {{{ */
932typedef std::map< unsigned long, _H<Source> > SourceMap;
933
934@interface Database : NSObject {
935 NSZone *zone_;
936 CYPool pool_;
937
938 unsigned era_;
939 _H<NSDate> delock_;
940
941 pkgCacheFile cache_;
942 pkgDepCache::Policy *policy_;
943 pkgRecords *records_;
944 pkgProblemResolver *resolver_;
945 pkgAcquire *fetcher_;
946 FileFd *lock_;
947 SPtr<pkgPackageManager> manager_;
948 pkgSourceList *list_;
949
950 SourceMap sourceMap_;
951 _H<NSMutableArray> sourceList_;
952
953 _H<NSArray> packages_;
954
955 _transient NSObject<DatabaseDelegate> *delegate_;
956 _transient NSObject<ProgressDelegate> *progress_;
957
958 CydiaStatus status_;
959
960 int cydiafd_;
961 int statusfd_;
962 FILE *input_;
963
964 std::map<const char *, _H<NSString> > sections_;
965}
966
967+ (Database *) sharedInstance;
968- (unsigned) era;
969- (bool) hasPackages;
970
971- (void) _readCydia:(NSNumber *)fd;
972- (void) _readStatus:(NSNumber *)fd;
973- (void) _readOutput:(NSNumber *)fd;
974
975- (FILE *) input;
976
977- (Package *) packageWithName:(NSString *)name;
978
979- (pkgCacheFile &) cache;
980- (pkgDepCache::Policy *) policy;
981- (pkgRecords *) records;
982- (pkgProblemResolver *) resolver;
983- (pkgAcquire &) fetcher;
984- (pkgSourceList &) list;
985- (NSArray *) packages;
986- (NSArray *) sources;
987- (Source *) sourceWithKey:(NSString *)key;
988- (void) reloadDataWithInvocation:(NSInvocation *)invocation;
989
990- (void) configure;
991- (bool) prepare;
992- (void) perform;
993- (bool) upgrade;
994- (void) update;
995
996- (void) updateWithStatus:(CancelStatus &)status;
997
998- (void) setDelegate:(NSObject<DatabaseDelegate> *)delegate;
999
1000- (void) setProgressDelegate:(NSObject<ProgressDelegate> *)delegate;
1001- (NSObject<ProgressDelegate> *) progressDelegate;
1002
1003- (Source *) getSource:(pkgCache::PkgFileIterator)file;
1004- (void) setFetch:(bool)fetch forURI:(const char *)uri;
1005- (void) resetFetch;
1006
1007- (NSString *) mappedSectionForPointer:(const char *)pointer;
1008
1009@end
1010/* }}} */
1011/* SourceStatus {{{ */
1012class SourceStatus :
1013 public CancelStatus
1014{
1015 private:
1016 _transient NSObject<FetchDelegate> *delegate_;
1017 _transient Database *database_;
1018 std::set<std::string> fetches_;
1019
1020 public:
1021 SourceStatus(NSObject<FetchDelegate> *delegate, Database *database) :
1022 delegate_(delegate),
1023 database_(database)
1024 {
1025 }
1026
1027 void Set(bool fetch, const std::string &uri) {
1028 if (fetch) {
1029 if (!fetches_.insert(uri).second)
1030 return;
1031 } else {
1032 if (fetches_.erase(uri) == 0)
1033 return;
1034 }
1035
1036 //printf("Set(%s, %s)\n", fetch ? "true" : "false", uri.c_str());
1037
1038 auto slash(uri.rfind('/'));
1039 if (slash != std::string::npos)
1040 [database_ setFetch:fetch forURI:uri.substr(0, slash).c_str()];
1041 }
1042
1043 _finline void Set(bool fetch, pkgAcquire::Item *item) {
1044 /*unsigned long ID(fetch ? 1 : 0);
1045 if (item->ID == ID)
1046 return;
1047 item->ID = ID;*/
1048 Set(fetch, item->DescURI());
1049 }
1050
1051 void Log(const char *tag, pkgAcquire::Item *item) {
1052 //printf("%s(%s) S:%u Q:%u\n", tag, item->DescURI().c_str(), item->Status, item->QueueCounter);
1053 }
1054
1055 virtual void Fetch(pkgAcquire::ItemDesc &desc) {
1056 Log("Fetch", desc.Owner);
1057 Set(true, desc.Owner);
1058 }
1059
1060 virtual void Done(pkgAcquire::ItemDesc &desc) {
1061 Log("Done", desc.Owner);
1062 Set(false, desc.Owner);
1063 }
1064
1065 virtual void Fail(pkgAcquire::ItemDesc &desc) {
1066 Log("Fail", desc.Owner);
1067 Set(false, desc.Owner);
1068 }
1069
1070 virtual bool Pulse_(pkgAcquire *Owner) {
1071 std::set<std::string> fetches;
1072 for (pkgAcquire::ItemCIterator item(Owner->ItemsBegin()); item != Owner->ItemsEnd(); ++item) {
1073 bool fetch;
1074 if ((*item)->QueueCounter == 0)
1075 fetch = false;
1076 else switch ((*item)->Status) {
1077 case pkgAcquire::Item::StatFetching:
1078 fetches.insert((*item)->DescURI());
1079 fetch = true;
1080 break;
1081
1082 default:
1083 fetch = false;
1084 break;
1085 }
1086
1087 Log(fetch ? "Pulse<true>" : "Pulse<false>", *item);
1088 Set(fetch, *item);
1089 }
1090
1091 std::vector<std::string> stops;
1092 std::set_difference(fetches_.begin(), fetches_.end(), fetches.begin(), fetches.end(), std::back_insert_iterator<std::vector<std::string>>(stops));
1093 for (std::vector<std::string>::const_iterator stop(stops.begin()); stop != stops.end(); ++stop) {
1094 //printf("Stop(%s)\n", stop->c_str());
1095 Set(false, *stop);
1096 }
1097
1098 return ![delegate_ isSourceCancelled];
1099 }
1100
1101 virtual void Stop() {
1102 pkgAcquireStatus::Stop();
1103 [database_ resetFetch];
1104 }
1105};
1106/* }}} */
1107/* ProgressEvent Implementation {{{ */
1108@implementation CydiaProgressEvent
1109
1110+ (CydiaProgressEvent *) eventWithMessage:(NSString *)message ofType:(NSString *)type {
1111 return [[[CydiaProgressEvent alloc] initWithMessage:message ofType:type] autorelease];
1112}
1113
1114+ (CydiaProgressEvent *) eventWithMessage:(NSString *)message ofType:(NSString *)type forPackage:(NSString *)package {
1115 CydiaProgressEvent *event([self eventWithMessage:message ofType:type]);
1116 [event setPackage:package];
1117 return event;
1118}
1119
1120+ (CydiaProgressEvent *) eventWithMessage:(NSString *)message ofType:(NSString *)type forItemDesc:(pkgAcquire::ItemDesc &)desc {
1121 CydiaProgressEvent *event([self eventWithMessage:message ofType:type]);
1122
1123 NSString *description([NSString stringWithUTF8String:desc.Description.c_str()]);
1124 NSArray *fields([description componentsSeparatedByString:@" "]);
1125 [event setItem:fields];
1126
1127 if ([fields count] > 3) {
1128 [event setPackage:[fields objectAtIndex:2]];
1129 [event setVersion:[fields objectAtIndex:3]];
1130 }
1131
1132 [event setURL:[NSString stringWithUTF8String:desc.URI.c_str()]];
1133
1134 return event;
1135}
1136
1137+ (NSArray *) _attributeKeys {
1138 return [NSArray arrayWithObjects:
1139 @"item",
1140 @"message",
1141 @"package",
1142 @"type",
1143 @"url",
1144 @"version",
1145 nil];
1146}
1147
1148- (NSArray *) attributeKeys {
1149 return [[self class] _attributeKeys];
1150}
1151
1152+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
1153 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
1154}
1155
1156- (id) initWithMessage:(NSString *)message ofType:(NSString *)type {
1157 if ((self = [super init]) != nil) {
1158 message_ = message;
1159 type_ = type;
1160 } return self;
1161}
1162
1163- (NSString *) message {
1164 return message_;
1165}
1166
1167- (NSString *) type {
1168 return type_;
1169}
1170
1171- (NSArray *) item {
1172 return (id) item_ ?: [NSNull null];
1173}
1174
1175- (void) setItem:(NSArray *)item {
1176 item_ = item;
1177}
1178
1179- (NSString *) package {
1180 return (id) package_ ?: [NSNull null];
1181}
1182
1183- (void) setPackage:(NSString *)package {
1184 package_ = package;
1185}
1186
1187- (NSString *) url {
1188 return (id) url_ ?: [NSNull null];
1189}
1190
1191- (void) setURL:(NSString *)url {
1192 url_ = url;
1193}
1194
1195- (void) setVersion:(NSString *)version {
1196 version_ = version;
1197}
1198
1199- (NSString *) version {
1200 return (id) version_ ?: [NSNull null];
1201}
1202
1203- (NSString *) compound:(NSString *)value {
1204 if (value != nil) {
1205 NSString *mode(nil); {
1206 NSString *type([self type]);
1207 if ([type isEqualToString:kCydiaProgressEventTypeError])
1208 mode = UCLocalize("ERROR");
1209 else if ([type isEqualToString:kCydiaProgressEventTypeWarning])
1210 mode = UCLocalize("WARNING");
1211 }
1212
1213 if (mode != nil)
1214 value = [NSString stringWithFormat:UCLocalize("COLON_DELIMITED"), mode, value];
1215 }
1216
1217 return value;
1218}
1219
1220- (NSString *) compoundMessage {
1221 return [self compound:[self message]];
1222}
1223
1224- (NSString *) compoundTitle {
1225 NSString *title;
1226
1227 if (package_ == nil)
1228 title = nil;
1229 else if (Package *package = [[Database sharedInstance] packageWithName:package_])
1230 title = [package name];
1231 else
1232 title = package_;
1233
1234 return [self compound:title];
1235}
1236
1237@end
1238/* }}} */
1239
1240// Cytore Definitions {{{
1241struct PackageValue :
1242 Cytore::Block
1243{
1244 Cytore::Offset<PackageValue> next_;
1245
1246 uint32_t index_ : 23;
1247 uint32_t subscribed_ : 1;
1248 uint32_t : 8;
1249
1250 int32_t first_;
1251 int32_t last_;
1252
1253 uint16_t vhash_;
1254 uint16_t nhash_;
1255
1256 char version_[8];
1257 char name_[];
1258} _packed;
1259
1260struct MetaValue :
1261 Cytore::Block
1262{
1263 uint32_t active_;
1264 Cytore::Offset<PackageValue> packages_[1 << 16];
1265} _packed;
1266
1267static Cytore::File<MetaValue> MetaFile_;
1268// }}}
1269// Cytore Helper Functions {{{
1270static PackageValue *PackageFind(const char *name, size_t length, bool *fail = NULL) {
1271 SplitHash nhash = { hashlittle(name, length) };
1272
1273 PackageValue *metadata;
1274
1275 Cytore::Offset<PackageValue> *offset(&MetaFile_->packages_[nhash.u16[0]]);
1276 for (;; offset = &metadata->next_) { if (offset->IsNull()) {
1277 *offset = MetaFile_.New<PackageValue>(length + 1);
1278 metadata = &MetaFile_.Get(*offset);
1279
1280 if (metadata == NULL) {
1281 if (fail != NULL)
1282 *fail = true;
1283
1284 metadata = new PackageValue();
1285 memset(metadata, 0, sizeof(*metadata));
1286 }
1287
1288 memcpy(metadata->name_, name, length);
1289 metadata->name_[length] = '\0';
1290 metadata->nhash_ = nhash.u16[1];
1291 } else {
1292 metadata = &MetaFile_.Get(*offset);
1293 if (metadata->nhash_ != nhash.u16[1])
1294 continue;
1295 if (strncmp(metadata->name_, name, length) != 0)
1296 continue;
1297 if (metadata->name_[length] != '\0')
1298 continue;
1299 } break; }
1300
1301 return metadata;
1302}
1303
1304static void PackageImport(const void *key, const void *value, void *context) {
1305 bool &fail(*reinterpret_cast<bool *>(context));
1306
1307 char buffer[1024];
1308 if (!CFStringGetCString((CFStringRef) key, buffer, sizeof(buffer), kCFStringEncodingUTF8)) {
1309 NSLog(@"failed to import package %@", key);
1310 return;
1311 }
1312
1313 PackageValue *metadata(PackageFind(buffer, strlen(buffer), &fail));
1314 NSDictionary *package((NSDictionary *) value);
1315
1316 if (NSNumber *subscribed = [package objectForKey:@"IsSubscribed"])
1317 if ([subscribed boolValue] && !metadata->subscribed_)
1318 metadata->subscribed_ = true;
1319
1320 if (NSDate *date = [package objectForKey:@"FirstSeen"]) {
1321 time_t time([date timeIntervalSince1970]);
1322 if (metadata->first_ > time || metadata->first_ == 0)
1323 metadata->first_ = time;
1324 }
1325
1326 NSDate *date([package objectForKey:@"LastSeen"]);
1327 NSString *version([package objectForKey:@"LastVersion"]);
1328
1329 if (date != nil && version != nil) {
1330 time_t time([date timeIntervalSince1970]);
1331 if (metadata->last_ < time || metadata->last_ == 0)
1332 if (CFStringGetCString((CFStringRef) version, buffer, sizeof(buffer), kCFStringEncodingUTF8)) {
1333 size_t length(strlen(buffer));
1334 uint16_t vhash(hashlittle(buffer, length));
1335
1336 size_t capped(std::min<size_t>(8, length));
1337 char *latest(buffer + length - capped);
1338
1339 strncpy(metadata->version_, latest, sizeof(metadata->version_));
1340 metadata->vhash_ = vhash;
1341
1342 metadata->last_ = time;
1343 }
1344 }
1345}
1346// }}}
1347
1348static NSDate *GetStatusDate() {
1349 return [[[NSFileManager defaultManager] attributesOfItemAtPath:@"/var/lib/dpkg/status" error:NULL] fileModificationDate];
1350}
1351
1352static void SaveConfig(NSObject *lock) {
1353 @synchronized (lock) {
1354 _trace();
1355 MetaFile_.Sync();
1356 _trace();
1357 }
1358
1359 CFPreferencesSetMultiple((CFDictionaryRef) [NSDictionary dictionaryWithObjectsAndKeys:
1360 Values_, @"CydiaValues",
1361 Sections_, @"CydiaSections",
1362 (id) Sources_, @"CydiaSources",
1363 Version_, @"CydiaVersion",
1364 nil], NULL, CFSTR("com.saurik.Cydia"), kCFPreferencesCurrentUser, kCFPreferencesCurrentHost);
1365
1366 if (!CFPreferencesAppSynchronize(CFSTR("com.saurik.Cydia")))
1367 NSLog(@"CFPreferencesAppSynchronize(com.saurik.Cydia) == false");
1368
1369 CydiaWriteSources();
1370}
1371
1372/* Source Class {{{ */
1373@interface Source : NSObject {
1374 unsigned era_;
1375 Database *database_;
1376 metaIndex *index_;
1377
1378 CYString depiction_;
1379 CYString description_;
1380 CYString label_;
1381 CYString origin_;
1382 CYString support_;
1383
1384 CYString uri_;
1385 CYString distribution_;
1386 CYString type_;
1387 CYString base_;
1388 CYString version_;
1389
1390 _H<NSString> host_;
1391 _H<NSString> authority_;
1392
1393 CYString defaultIcon_;
1394
1395 _H<NSMutableDictionary> record_;
1396 BOOL trusted_;
1397
1398 std::set<std::string> fetches_;
1399 std::set<std::string> files_;
1400 _transient NSObject<SourceDelegate> *delegate_;
1401}
1402
1403- (Source *) initWithMetaIndex:(metaIndex *)index forDatabase:(Database *)database inPool:(CYPool *)pool;
1404
1405- (NSComparisonResult) compareByName:(Source *)source;
1406
1407- (NSString *) depictionForPackage:(NSString *)package;
1408- (NSString *) supportForPackage:(NSString *)package;
1409
1410- (metaIndex *) metaIndex;
1411- (NSDictionary *) record;
1412- (BOOL) trusted;
1413
1414- (NSString *) rooturi;
1415- (NSString *) distribution;
1416- (NSString *) type;
1417
1418- (NSString *) key;
1419- (NSString *) host;
1420
1421- (NSString *) name;
1422- (NSString *) shortDescription;
1423- (NSString *) label;
1424- (NSString *) origin;
1425- (NSString *) version;
1426
1427- (NSString *) defaultIcon;
1428- (NSURL *) iconURL;
1429
1430- (void) setFetch:(bool)fetch forURI:(const char *)uri;
1431- (void) resetFetch;
1432
1433@end
1434
1435@implementation Source
1436
1437+ (NSString *) webScriptNameForSelector:(SEL)selector {
1438 if (false);
1439 else if (selector == @selector(addSection:))
1440 return @"addSection";
1441 else if (selector == @selector(getField:))
1442 return @"getField";
1443 else if (selector == @selector(removeSection:))
1444 return @"removeSection";
1445 else if (selector == @selector(remove))
1446 return @"remove";
1447 else
1448 return nil;
1449}
1450
1451+ (BOOL) isSelectorExcludedFromWebScript:(SEL)selector {
1452 return [self webScriptNameForSelector:selector] == nil;
1453}
1454
1455+ (NSArray *) _attributeKeys {
1456 return [NSArray arrayWithObjects:
1457 @"baseuri",
1458 @"distribution",
1459 @"host",
1460 @"key",
1461 @"iconuri",
1462 @"label",
1463 @"name",
1464 @"origin",
1465 @"rooturi",
1466 @"sections",
1467 @"shortDescription",
1468 @"trusted",
1469 @"type",
1470 @"version",
1471 nil];
1472}
1473
1474- (NSArray *) attributeKeys {
1475 return [[self class] _attributeKeys];
1476}
1477
1478+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
1479 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
1480}
1481
1482- (metaIndex *) metaIndex {
1483 return index_;
1484}
1485
1486- (void) setMetaIndex:(metaIndex *)index inPool:(CYPool *)pool {
1487 trusted_ = index->IsTrusted();
1488
1489 uri_.set(pool, index->GetURI());
1490 distribution_.set(pool, index->GetDist());
1491 type_.set(pool, index->GetType());
1492
1493 debReleaseIndex *dindex(dynamic_cast<debReleaseIndex *>(index));
1494 if (dindex != NULL) {
1495 std::string file(dindex->MetaIndexURI(""));
1496 base_.set(pool, file);
1497
1498 pkgAcquire acquire;
1499 _profile(Source$setMetaIndex$GetIndexes)
1500 dindex->GetIndexes(&acquire, true);
1501 _end
1502 _profile(Source$setMetaIndex$DescURI)
1503 for (pkgAcquire::ItemIterator item(acquire.ItemsBegin()); item != acquire.ItemsEnd(); item++) {
1504 std::string file((*item)->DescURI());
1505 auto slash(file.rfind('/'));
1506 if (slash == std::string::npos)
1507 continue;
1508 files_.insert(file.substr(0, slash));
1509 }
1510 _end
1511
1512 FileFd fd;
1513 if (!fd.Open(dindex->MetaIndexFile("Release"), FileFd::ReadOnly))
1514 _error->Discard();
1515 else {
1516 pkgTagFile tags(&fd);
1517
1518 pkgTagSection section;
1519 tags.Step(section);
1520
1521 struct {
1522 const char *name_;
1523 CYString *value_;
1524 } names[] = {
1525 {"default-icon", &defaultIcon_},
1526 {"depiction", &depiction_},
1527 {"description", &description_},
1528 {"label", &label_},
1529 {"origin", &origin_},
1530 {"support", &support_},
1531 {"version", &version_},
1532 };
1533
1534 for (size_t i(0); i != sizeof(names) / sizeof(names[0]); ++i) {
1535 const char *start, *end;
1536
1537 if (section.Find(names[i].name_, start, end)) {
1538 CYString &value(*names[i].value_);
1539 value.set(pool, start, end - start);
1540 }
1541 }
1542 }
1543 }
1544
1545 record_ = [Sources_ objectForKey:[self key]];
1546
1547 NSURL *url([NSURL URLWithString:uri_]);
1548
1549 host_ = [url host];
1550 if (host_ != nil)
1551 host_ = [host_ lowercaseString];
1552
1553 if (host_ != nil)
1554 authority_ = host_;
1555 else
1556 authority_ = [url path];
1557}
1558
1559- (Source *) initWithMetaIndex:(metaIndex *)index forDatabase:(Database *)database inPool:(CYPool *)pool {
1560 if ((self = [super init]) != nil) {
1561 era_ = [database era];
1562 database_ = database;
1563 index_ = index;
1564
1565 _profile(Source$initWithMetaIndex$setMetaIndex)
1566 [self setMetaIndex:index inPool:pool];
1567 _end
1568 } return self;
1569}
1570
1571- (NSString *) getField:(NSString *)name {
1572@synchronized (database_) {
1573 if ([database_ era] != era_ || index_ == NULL)
1574 return nil;
1575
1576 debReleaseIndex *dindex(dynamic_cast<debReleaseIndex *>(index_));
1577 if (dindex == NULL)
1578 return nil;
1579
1580 FileFd fd;
1581 if (!fd.Open(dindex->MetaIndexFile("Release"), FileFd::ReadOnly)) {
1582 _error->Discard();
1583 return nil;
1584 }
1585
1586 pkgTagFile tags(&fd);
1587
1588 pkgTagSection section;
1589 tags.Step(section);
1590
1591 const char *start, *end;
1592 if (!section.Find([name UTF8String], start, end))
1593 return (NSString *) [NSNull null];
1594
1595 return [NSString stringWithString:[(NSString *) CYStringCreate(start, end - start) autorelease]];
1596} }
1597
1598- (NSComparisonResult) compareByName:(Source *)source {
1599 NSString *lhs = [self name];
1600 NSString *rhs = [source name];
1601
1602 if ([lhs length] != 0 && [rhs length] != 0) {
1603 unichar lhc = [lhs characterAtIndex:0];
1604 unichar rhc = [rhs characterAtIndex:0];
1605
1606 if (isalpha(lhc) && !isalpha(rhc))
1607 return NSOrderedAscending;
1608 else if (!isalpha(lhc) && isalpha(rhc))
1609 return NSOrderedDescending;
1610 }
1611
1612 return [lhs compare:rhs options:LaxCompareOptions_];
1613}
1614
1615- (NSString *) depictionForPackage:(NSString *)package {
1616 return depiction_.empty() ? nil : [static_cast<id>(depiction_) stringByReplacingOccurrencesOfString:@"*" withString:package];
1617}
1618
1619- (NSString *) supportForPackage:(NSString *)package {
1620 return support_.empty() ? nil : [static_cast<id>(support_) stringByReplacingOccurrencesOfString:@"*" withString:package];
1621}
1622
1623- (NSArray *) sections {
1624 return record_ == nil ? (id) [NSNull null] : [record_ objectForKey:@"Sections"] ?: [NSArray array];
1625}
1626
1627- (void) _addSection:(NSString *)section {
1628 if (record_ == nil)
1629 return;
1630 else if (NSMutableArray *sections = [record_ objectForKey:@"Sections"]) {
1631 if (![sections containsObject:section])
1632 [sections addObject:section];
1633 } else
1634 [record_ setObject:[NSMutableArray arrayWithObject:section] forKey:@"Sections"];
1635}
1636
1637- (bool) addSection:(NSString *)section {
1638 if (record_ == nil)
1639 return false;
1640
1641 [self performSelectorOnMainThread:@selector(_addSection:) withObject:section waitUntilDone:NO];
1642 return true;
1643}
1644
1645- (void) _removeSection:(NSString *)section {
1646 if (record_ == nil)
1647 return;
1648
1649 if (NSMutableArray *sections = [record_ objectForKey:@"Sections"])
1650 if ([sections containsObject:section])
1651 [sections removeObject:section];
1652}
1653
1654- (bool) removeSection:(NSString *)section {
1655 if (record_ == nil)
1656 return false;
1657
1658 [self performSelectorOnMainThread:@selector(_removeSection:) withObject:section waitUntilDone:NO];
1659 return true;
1660}
1661
1662- (void) _remove {
1663 [Sources_ removeObjectForKey:[self key]];
1664}
1665
1666- (bool) remove {
1667 bool value(record_ != nil);
1668 [self performSelectorOnMainThread:@selector(_remove) withObject:nil waitUntilDone:NO];
1669 return value;
1670}
1671
1672- (NSDictionary *) record {
1673 return record_;
1674}
1675
1676- (BOOL) trusted {
1677 return trusted_;
1678}
1679
1680- (NSString *) rooturi {
1681 return uri_;
1682}
1683
1684- (NSString *) distribution {
1685 return distribution_;
1686}
1687
1688- (NSString *) type {
1689 return type_;
1690}
1691
1692- (NSString *) baseuri {
1693 return base_.empty() ? nil : (id) base_;
1694}
1695
1696- (NSString *) iconuri {
1697 if (NSString *base = [self baseuri])
1698 return [base stringByAppendingString:@"CydiaIcon.png"];
1699
1700 return nil;
1701}
1702
1703- (NSURL *) iconURL {
1704 if (NSString *uri = [self iconuri])
1705 return [NSURL URLWithString:uri];
1706 return nil;
1707}
1708
1709- (NSString *) key {
1710 return [NSString stringWithFormat:@"%@:%@:%@", (NSString *) type_, (NSString *) uri_, (NSString *) distribution_];
1711}
1712
1713- (NSString *) host {
1714 return host_;
1715}
1716
1717- (NSString *) name {
1718 return origin_.empty() ? (id) authority_ : origin_;
1719}
1720
1721- (NSString *) shortDescription {
1722 return description_;
1723}
1724
1725- (NSString *) label {
1726 return label_.empty() ? (id) authority_ : label_;
1727}
1728
1729- (NSString *) origin {
1730 return origin_;
1731}
1732
1733- (NSString *) version {
1734 return version_;
1735}
1736
1737- (NSString *) defaultIcon {
1738 return defaultIcon_;
1739}
1740
1741- (void) setDelegate:(NSObject<SourceDelegate> *)delegate {
1742 delegate_ = delegate;
1743}
1744
1745- (bool) fetch {
1746 return !fetches_.empty();
1747}
1748
1749- (void) setFetch:(bool)fetch forURI:(const char *)uri {
1750 if (!fetch) {
1751 if (fetches_.erase(uri) == 0)
1752 return;
1753 } else if (files_.find(uri) == files_.end())
1754 return;
1755 else if (!fetches_.insert(uri).second)
1756 return;
1757
1758 [delegate_ performSelectorOnMainThread:@selector(setFetch:) withObject:[NSNumber numberWithBool:[self fetch]] waitUntilDone:NO];
1759}
1760
1761- (void) resetFetch {
1762 fetches_.clear();
1763 [delegate_ performSelectorOnMainThread:@selector(setFetch:) withObject:[NSNumber numberWithBool:NO] waitUntilDone:NO];
1764}
1765
1766@end
1767/* }}} */
1768/* CydiaOperation Class {{{ */
1769@interface CydiaOperation : NSObject {
1770 _H<NSString> operator_;
1771 _H<NSString> value_;
1772}
1773
1774- (NSString *) operator;
1775- (NSString *) value;
1776
1777@end
1778
1779@implementation CydiaOperation
1780
1781- (id) initWithOperator:(const char *)_operator value:(const char *)value {
1782 if ((self = [super init]) != nil) {
1783 operator_ = [NSString stringWithUTF8String:_operator];
1784 value_ = [NSString stringWithUTF8String:value];
1785 } return self;
1786}
1787
1788+ (NSArray *) _attributeKeys {
1789 return [NSArray arrayWithObjects:
1790 @"operator",
1791 @"value",
1792 nil];
1793}
1794
1795- (NSArray *) attributeKeys {
1796 return [[self class] _attributeKeys];
1797}
1798
1799+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
1800 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
1801}
1802
1803- (NSString *) operator {
1804 return operator_;
1805}
1806
1807- (NSString *) value {
1808 return value_;
1809}
1810
1811@end
1812/* }}} */
1813/* CydiaClause Class {{{ */
1814@interface CydiaClause : NSObject {
1815 _H<NSString> package_;
1816 _H<CydiaOperation> version_;
1817}
1818
1819- (NSString *) package;
1820- (CydiaOperation *) version;
1821
1822@end
1823
1824@implementation CydiaClause
1825
1826- (id) initWithIterator:(pkgCache::DepIterator &)dep {
1827 if ((self = [super init]) != nil) {
1828 package_ = [NSString stringWithUTF8String:dep.TargetPkg().Name()];
1829
1830 if (const char *version = dep.TargetVer())
1831 version_ = [[[CydiaOperation alloc] initWithOperator:dep.CompType() value:version] autorelease];
1832 else
1833 version_ = (id) [NSNull null];
1834 } return self;
1835}
1836
1837+ (NSArray *) _attributeKeys {
1838 return [NSArray arrayWithObjects:
1839 @"package",
1840 @"version",
1841 nil];
1842}
1843
1844- (NSArray *) attributeKeys {
1845 return [[self class] _attributeKeys];
1846}
1847
1848+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
1849 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
1850}
1851
1852- (NSString *) package {
1853 return package_;
1854}
1855
1856- (CydiaOperation *) version {
1857 return version_;
1858}
1859
1860@end
1861/* }}} */
1862/* CydiaRelation Class {{{ */
1863@interface CydiaRelation : NSObject {
1864 _H<NSString> relationship_;
1865 _H<NSMutableArray> clauses_;
1866}
1867
1868- (NSString *) relationship;
1869- (NSArray *) clauses;
1870
1871@end
1872
1873@implementation CydiaRelation
1874
1875- (id) initWithIterator:(pkgCache::DepIterator &)dep {
1876 if ((self = [super init]) != nil) {
1877 relationship_ = [NSString stringWithUTF8String:dep.DepType()];
1878 clauses_ = [NSMutableArray arrayWithCapacity:8];
1879
1880 pkgCache::DepIterator start;
1881 pkgCache::DepIterator end;
1882 dep.GlobOr(start, end); // ++dep
1883
1884 _forever {
1885 [clauses_ addObject:[[[CydiaClause alloc] initWithIterator:start] autorelease]];
1886
1887 // yes, seriously. (wtf?)
1888 if (start == end)
1889 break;
1890 ++start;
1891 }
1892 } return self;
1893}
1894
1895+ (NSArray *) _attributeKeys {
1896 return [NSArray arrayWithObjects:
1897 @"clauses",
1898 @"relationship",
1899 nil];
1900}
1901
1902- (NSArray *) attributeKeys {
1903 return [[self class] _attributeKeys];
1904}
1905
1906+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
1907 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
1908}
1909
1910- (NSString *) relationship {
1911 return relationship_;
1912}
1913
1914- (NSArray *) clauses {
1915 return clauses_;
1916}
1917
1918- (void) addClause:(CydiaClause *)clause {
1919 [clauses_ addObject:clause];
1920}
1921
1922@end
1923/* }}} */
1924/* Package Class {{{ */
1925struct ParsedPackage {
1926 CYString md5sum_;
1927 CYString tagline_;
1928
1929 CYString architecture_;
1930 CYString icon_;
1931
1932 CYString depiction_;
1933 CYString homepage_;
1934 CYString author_;
1935
1936 CYString support_;
1937};
1938
1939@interface Package : NSObject {
1940 uint32_t era_ : 25;
1941 @public uint32_t role_ : 3;
1942 uint32_t essential_ : 1;
1943 uint32_t obsolete_ : 1;
1944 uint32_t ignored_ : 1;
1945 uint32_t pooled_ : 1;
1946
1947 CYPool *pool_;
1948
1949 uint32_t rank_;
1950
1951 _transient Database *database_;
1952
1953 pkgCache::VerIterator version_;
1954 pkgCache::PkgIterator iterator_;
1955 pkgCache::VerFileIterator file_;
1956
1957 CYString id_;
1958 CYString name_;
1959 CYString transform_;
1960
1961 CYString latest_;
1962 CYString installed_;
1963 time_t upgraded_;
1964
1965 const char *section_;
1966 _transient NSString *section$_;
1967
1968 _H<Source> source_;
1969
1970 PackageValue *metadata_;
1971 ParsedPackage *parsed_;
1972
1973 _H<NSMutableArray> tags_;
1974}
1975
1976- (Package *) initWithVersion:(pkgCache::VerIterator)version withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database;
1977+ (Package *) newPackageWithIterator:(pkgCache::PkgIterator)iterator withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database;
1978
1979+ (Package *) packageWithIterator:(pkgCache::PkgIterator)iterator withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database;
1980
1981- (pkgCache::PkgIterator) iterator;
1982- (void) parse;
1983
1984- (NSString *) section;
1985- (NSString *) simpleSection;
1986
1987- (NSString *) longSection;
1988- (NSString *) shortSection;
1989
1990- (NSString *) uri;
1991
1992- (MIMEAddress *) maintainer;
1993- (size_t) size;
1994- (NSString *) longDescription;
1995- (NSString *) shortDescription;
1996- (unichar) index;
1997
1998- (PackageValue *) metadata;
1999- (time_t) seen;
2000
2001- (bool) subscribed;
2002- (bool) setSubscribed:(bool)subscribed;
2003
2004- (BOOL) ignored;
2005
2006- (NSString *) latest;
2007- (NSString *) installed;
2008- (BOOL) uninstalled;
2009
2010- (BOOL) upgradableAndEssential:(BOOL)essential;
2011- (BOOL) essential;
2012- (BOOL) broken;
2013- (BOOL) unfiltered;
2014- (BOOL) visible;
2015
2016- (BOOL) half;
2017- (BOOL) halfConfigured;
2018- (BOOL) halfInstalled;
2019- (BOOL) hasMode;
2020- (NSString *) mode;
2021
2022- (NSString *) id;
2023- (NSString *) name;
2024- (UIImage *) icon;
2025- (NSString *) homepage;
2026- (NSString *) depiction;
2027- (MIMEAddress *) author;
2028
2029- (NSString *) support;
2030
2031- (NSArray *) files;
2032- (NSArray *) warnings;
2033- (NSArray *) applications;
2034
2035- (Source *) source;
2036
2037- (uint32_t) rank;
2038- (BOOL) matches:(NSArray *)query;
2039
2040- (BOOL) hasTag:(NSString *)tag;
2041- (NSString *) primaryPurpose;
2042- (NSArray *) purposes;
2043- (bool) isCommercial;
2044
2045- (void) setIndex:(size_t)index;
2046
2047- (CYString &) cyname;
2048
2049- (uint32_t) compareBySection:(NSArray *)sections;
2050
2051- (void) install;
2052- (void) remove;
2053
2054@end
2055
2056uint32_t PackageChangesRadix(Package *self, void *) {
2057 union {
2058 uint32_t key;
2059
2060 struct {
2061 uint32_t timestamp : 30;
2062 uint32_t ignored : 1;
2063 uint32_t upgradable : 1;
2064 } bits;
2065 } value;
2066
2067 bool upgradable([self upgradableAndEssential:YES]);
2068 value.bits.upgradable = upgradable ? 1 : 0;
2069
2070 if (upgradable) {
2071 value.bits.timestamp = 0;
2072 value.bits.ignored = [self ignored] ? 0 : 1;
2073 value.bits.upgradable = 1;
2074 } else {
2075 value.bits.timestamp = [self seen] >> 2;
2076 value.bits.ignored = 0;
2077 value.bits.upgradable = 0;
2078 }
2079
2080 return _not(uint32_t) - value.key;
2081}
2082
2083CYString &(*PackageName)(Package *self, SEL sel);
2084
2085uint32_t PackagePrefixRadix(Package *self, void *context) {
2086 size_t offset(reinterpret_cast<size_t>(context));
2087 CYString &name(PackageName(self, @selector(cyname)));
2088
2089 size_t size(name.size());
2090 if (size == 0)
2091 return 0;
2092 char *text(name.data());
2093
2094 size_t zeros;
2095 if (!isdigit(text[0]))
2096 zeros = 0;
2097 else {
2098 size_t digits(1);
2099 while (size != digits && isdigit(text[digits]))
2100 if (++digits == 4)
2101 break;
2102 zeros = 4 - digits;
2103 }
2104
2105 uint8_t data[4];
2106
2107 if (offset == 0 && zeros != 0) {
2108 memset(data, '0', zeros);
2109 memcpy(data + zeros, text, 4 - zeros);
2110 } else {
2111 /* XXX: there's some danger here if you request a non-zero offset < 4 and it gets zero padded */
2112 if (size <= offset - zeros)
2113 return 0;
2114
2115 text += offset - zeros;
2116 size -= offset - zeros;
2117
2118 if (size >= 4)
2119 memcpy(data, text, 4);
2120 else {
2121 memcpy(data, text, size);
2122 memset(data + size, 0, 4 - size);
2123 }
2124
2125 for (size_t i(0); i != 4; ++i)
2126 if (isalpha(data[i]))
2127 data[i] |= 0x20;
2128 }
2129
2130 if (offset == 0)
2131 if (data[0] == '@')
2132 data[0] = 0x7f;
2133 else
2134 data[0] = (data[0] & 0x1f) | "\x80\x00\xc0\x40"[data[0] >> 6];
2135
2136 /* XXX: ntohl may be more honest */
2137 return OSSwapInt32(*reinterpret_cast<uint32_t *>(data));
2138}
2139
2140CFComparisonResult StringNameCompare(CFStringRef lhn, CFStringRef rhn, size_t length) {
2141 _profile(PackageNameCompare)
2142 if (lhn == NULL)
2143 return rhn == NULL ? kCFCompareEqualTo : kCFCompareLessThan;
2144 else if (rhn == NULL)
2145 return kCFCompareGreaterThan;
2146
2147 CFIndex length(CFStringGetLength(lhn));
2148
2149 _profile(PackageNameCompare$NumbersLast)
2150 if (length != 0 && CFStringGetLength(rhn) != 0) {
2151 UniChar lhc(CFStringGetCharacterAtIndex(lhn, 0));
2152 UniChar rhc(CFStringGetCharacterAtIndex(rhn, 0));
2153 bool lha(CFUniCharIsMemberOf(lhc, kCFUniCharLetterCharacterSet));
2154 if (lha != CFUniCharIsMemberOf(rhc, kCFUniCharLetterCharacterSet))
2155 return lha ? kCFCompareLessThan : kCFCompareGreaterThan;
2156 }
2157 _end
2158
2159 _profile(PackageNameCompare$Compare)
2160 return CFStringCompareWithOptionsAndLocale(lhn, rhn, CFRangeMake(0, length), LaxCompareFlags_, (CFLocaleRef) (id) CollationLocale_);
2161 _end
2162 _end
2163}
2164
2165_finline CFComparisonResult StringNameCompare(NSString *lhn, NSString*rhn, size_t length) {
2166 return StringNameCompare((CFStringRef) lhn, (CFStringRef) rhn, length);
2167}
2168
2169CFComparisonResult PackageNameCompare(Package *lhs, Package *rhs, void *arg) {
2170 CYString &lhn(PackageName(lhs, @selector(cyname)));
2171 NSString *rhn(PackageName(rhs, @selector(cyname)));
2172 return StringNameCompare(lhn, rhn, lhn.size());
2173}
2174
2175CFComparisonResult PackageNameCompare_(Package **lhs, Package **rhs, void *arg) {
2176 return PackageNameCompare(*lhs, *rhs, arg);
2177}
2178
2179struct PackageNameOrdering :
2180 std::binary_function<Package *, Package *, bool>
2181{
2182 _finline bool operator ()(Package *lhs, Package *rhs) const {
2183 return PackageNameCompare(lhs, rhs, NULL) == kCFCompareLessThan;
2184 }
2185};
2186
2187@implementation Package
2188
2189- (NSString *) description {
2190 return [NSString stringWithFormat:@"<Package:%@>", static_cast<NSString *>(name_)];
2191}
2192
2193- (void) dealloc {
2194 if (!pooled_)
2195 delete pool_;
2196 if (parsed_ != NULL)
2197 delete parsed_;
2198 [super dealloc];
2199}
2200
2201+ (NSString *) webScriptNameForSelector:(SEL)selector {
2202 if (false);
2203 else if (selector == @selector(clear))
2204 return @"clear";
2205 else if (selector == @selector(getField:))
2206 return @"getField";
2207 else if (selector == @selector(getRecord))
2208 return @"getRecord";
2209 else if (selector == @selector(hasTag:))
2210 return @"hasTag";
2211 else if (selector == @selector(install))
2212 return @"install";
2213 else if (selector == @selector(remove))
2214 return @"remove";
2215 else
2216 return nil;
2217}
2218
2219+ (BOOL) isSelectorExcludedFromWebScript:(SEL)selector {
2220 return [self webScriptNameForSelector:selector] == nil;
2221}
2222
2223+ (NSArray *) _attributeKeys {
2224 return [NSArray arrayWithObjects:
2225 @"applications",
2226 @"architecture",
2227 @"author",
2228 @"depiction",
2229 @"essential",
2230 @"homepage",
2231 @"icon",
2232 @"id",
2233 @"installed",
2234 @"latest",
2235 @"longDescription",
2236 @"longSection",
2237 @"maintainer",
2238 @"md5sum",
2239 @"mode",
2240 @"name",
2241 @"purposes",
2242 @"relations",
2243 @"section",
2244 @"selection",
2245 @"shortDescription",
2246 @"shortSection",
2247 @"simpleSection",
2248 @"size",
2249 @"source",
2250 @"state",
2251 @"support",
2252 @"tags",
2253 @"upgraded",
2254 @"warnings",
2255 nil];
2256}
2257
2258- (NSArray *) attributeKeys {
2259 return [[self class] _attributeKeys];
2260}
2261
2262+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
2263 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
2264}
2265
2266- (NSArray *) relations {
2267@synchronized (database_) {
2268 NSMutableArray *relations([NSMutableArray arrayWithCapacity:16]);
2269 for (pkgCache::DepIterator dep(version_.DependsList()); !dep.end(); ++dep)
2270 [relations addObject:[[[CydiaRelation alloc] initWithIterator:dep] autorelease]];
2271 return relations;
2272} }
2273
2274- (NSString *) architecture {
2275 [self parse];
2276@synchronized (database_) {
2277 return parsed_->architecture_.empty() ? [NSNull null] : (id) parsed_->architecture_;
2278} }
2279
2280- (NSString *) getField:(NSString *)name {
2281@synchronized (database_) {
2282 if ([database_ era] != era_ || file_.end())
2283 return nil;
2284
2285 pkgRecords::Parser &parser([database_ records]->Lookup(file_));
2286
2287 const char *start, *end;
2288 if (!parser.Find([name UTF8String], start, end))
2289 return (NSString *) [NSNull null];
2290
2291 return [NSString stringWithString:[(NSString *) CYStringCreate(start, end - start) autorelease]];
2292} }
2293
2294- (NSString *) getRecord {
2295@synchronized (database_) {
2296 if ([database_ era] != era_ || file_.end())
2297 return nil;
2298
2299 pkgRecords::Parser &parser([database_ records]->Lookup(file_));
2300
2301 const char *start, *end;
2302 parser.GetRec(start, end);
2303
2304 return [NSString stringWithString:[(NSString *) CYStringCreate(start, end - start) autorelease]];
2305} }
2306
2307- (void) parse {
2308 if (parsed_ != NULL)
2309 return;
2310@synchronized (database_) {
2311 if ([database_ era] != era_ || file_.end())
2312 return;
2313
2314 ParsedPackage *parsed(new ParsedPackage);
2315 parsed_ = parsed;
2316
2317 _profile(Package$parse)
2318 pkgRecords::Parser *parser;
2319
2320 _profile(Package$parse$Lookup)
2321 parser = &[database_ records]->Lookup(file_);
2322 _end
2323
2324 CYString bugs;
2325 CYString website;
2326
2327 _profile(Package$parse$Find)
2328 struct {
2329 const char *name_;
2330 CYString *value_;
2331 } names[] = {
2332 {"architecture", &parsed->architecture_},
2333 {"icon", &parsed->icon_},
2334 {"depiction", &parsed->depiction_},
2335 {"homepage", &parsed->homepage_},
2336 {"website", &website},
2337 {"bugs", &bugs},
2338 {"support", &parsed->support_},
2339 {"author", &parsed->author_},
2340 {"md5sum", &parsed->md5sum_},
2341 };
2342
2343 for (size_t i(0); i != sizeof(names) / sizeof(names[0]); ++i) {
2344 const char *start, *end;
2345
2346 if (parser->Find(names[i].name_, start, end)) {
2347 CYString &value(*names[i].value_);
2348 _profile(Package$parse$Value)
2349 value.set(pool_, start, end - start);
2350 _end
2351 }
2352 }
2353 _end
2354
2355 _profile(Package$parse$Tagline)
2356 parsed->tagline_.set(pool_, parser->ShortDesc());
2357 _end
2358
2359 _profile(Package$parse$Retain)
2360 if (parsed->homepage_.empty())
2361 parsed->homepage_ = website;
2362 if (parsed->homepage_ == parsed->depiction_)
2363 parsed->homepage_.clear();
2364 if (parsed->support_.empty())
2365 parsed->support_ = bugs;
2366 _end
2367 _end
2368} }
2369
2370- (Package *) initWithVersion:(pkgCache::VerIterator)version withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database {
2371 if ((self = [super init]) != nil) {
2372 _profile(Package$initWithVersion)
2373 if (pool == NULL)
2374 pool_ = new CYPool();
2375 else {
2376 pool_ = pool;
2377 pooled_ = true;
2378 }
2379
2380 database_ = database;
2381 era_ = [database era];
2382
2383 version_ = version;
2384
2385 pkgCache::PkgIterator iterator(version_.ParentPkg());
2386 iterator_ = iterator;
2387
2388 _profile(Package$initWithVersion$Version)
2389 file_ = version_.FileList();
2390 _end
2391
2392 _profile(Package$initWithVersion$Cache)
2393 name_.set(NULL, version_.Display());
2394
2395 latest_.set(NULL, StripVersion_(version_.VerStr()));
2396
2397 pkgCache::VerIterator current(iterator.CurrentVer());
2398 if (!current.end())
2399 installed_.set(NULL, StripVersion_(current.VerStr()));
2400 _end
2401
2402 _profile(Package$initWithVersion$Transliterate) do {
2403 if (CollationTransl_ == NULL)
2404 break;
2405 if (name_.empty())
2406 break;
2407
2408 _profile(Package$initWithVersion$Transliterate$utf8)
2409 const uint8_t *data(reinterpret_cast<const uint8_t *>(name_.data()));
2410 for (size_t i(0), e(name_.size()); i != e; ++i)
2411 if (data[i] >= 0x80)
2412 goto extended;
2413 break; extended:;
2414 _end
2415
2416 UErrorCode code(U_ZERO_ERROR);
2417 int32_t length;
2418
2419 _profile(Package$initWithVersion$Transliterate$u_strFromUTF8WithSub)
2420 CollationString_.resize(name_.size());
2421 u_strFromUTF8WithSub(&CollationString_[0], CollationString_.size(), &length, name_.data(), name_.size(), 0xfffd, NULL, &code);
2422 if (!U_SUCCESS(code))
2423 break;
2424 CollationString_.resize(length);
2425 _end
2426
2427 _profile(Package$initWithVersion$Transliterate$utrans_trans)
2428 length = CollationString_.size();
2429 utrans_trans(CollationTransl_, reinterpret_cast<UReplaceable *>(&CollationString_), &CollationUCalls_, 0, &length, &code);
2430 if (!U_SUCCESS(code))
2431 break;
2432 _assert(CollationString_.size() == length);
2433 _end
2434
2435 _profile(Package$initWithVersion$Transliterate$u_strToUTF8WithSub$preflight)
2436 u_strToUTF8WithSub(NULL, 0, &length, CollationString_.data(), CollationString_.size(), 0xfffd, NULL, &code);
2437 if (code == U_BUFFER_OVERFLOW_ERROR)
2438 code = U_ZERO_ERROR;
2439 else if (!U_SUCCESS(code))
2440 break;
2441 _end
2442
2443 char *transform;
2444 _profile(Package$initWithVersion$Transliterate$apr_palloc)
2445 transform = pool_->malloc<char>(length);
2446 _end
2447 _profile(Package$initWithVersion$Transliterate$u_strToUTF8WithSub$transform)
2448 u_strToUTF8WithSub(transform, length, NULL, CollationString_.data(), CollationString_.size(), 0xfffd, NULL, &code);
2449 if (!U_SUCCESS(code))
2450 break;
2451 _end
2452
2453 transform_.set(NULL, transform, length);
2454 } while (false); _end
2455
2456 _profile(Package$initWithVersion$Tags)
2457#ifdef __arm64__
2458 pkgCache::TagIterator tag(version_.TagList());
2459#else
2460 pkgCache::TagIterator tag(iterator.TagList());
2461#endif
2462 if (!tag.end()) {
2463 tags_ = [NSMutableArray arrayWithCapacity:8];
2464
2465 goto tag; for (; !tag.end(); ++tag) tag: {
2466 const char *name(tag.Name());
2467 NSString *string((NSString *) CYStringCreate(name));
2468 if (string == nil)
2469 continue;
2470
2471 [tags_ addObject:[string autorelease]];
2472
2473 if (role_ == 0 && strncmp(name, "role::", 6) == 0 /*&& strcmp(name, "role::leaper") != 0*/) {
2474 if (strcmp(name + 6, "enduser") == 0)
2475 role_ = 1;
2476 else if (strcmp(name + 6, "hacker") == 0)
2477 role_ = 2;
2478 else if (strcmp(name + 6, "developer") == 0)
2479 role_ = 3;
2480 else if (strcmp(name + 6, "cydia") == 0)
2481 role_ = 7;
2482 else
2483 role_ = 4;
2484 }
2485
2486 if (strncmp(name, "cydia::", 7) == 0) {
2487 if (strcmp(name + 7, "essential") == 0)
2488 essential_ = true;
2489 else if (strcmp(name + 7, "obsolete") == 0)
2490 obsolete_ = true;
2491 }
2492 }
2493 }
2494 _end
2495
2496 _profile(Package$initWithVersion$Metadata)
2497 const char *mixed(iterator.Name());
2498 size_t size(strlen(mixed));
2499 static const size_t prefix(sizeof("/var/lib/dpkg/info/") - 1);
2500 char lower[prefix + size + 5 + 1];
2501
2502 for (size_t i(0); i != size; ++i)
2503 lower[prefix + i] = mixed[i] | 0x20;
2504
2505 if (!installed_.empty()) {
2506 memcpy(lower, "/var/lib/dpkg/info/", prefix);
2507 memcpy(lower + prefix + size, ".list", 6);
2508 struct stat info;
2509 if (stat(lower, &info) != -1)
2510 upgraded_ = info.st_birthtime;
2511 }
2512
2513 PackageValue *metadata(PackageFind(lower + prefix, size));
2514 metadata_ = metadata;
2515
2516 id_.set(NULL, metadata->name_, size);
2517
2518 const char *latest(version_.VerStr());
2519 size_t length(strlen(latest));
2520
2521 uint16_t vhash(hashlittle(latest, length));
2522
2523 size_t capped(std::min<size_t>(8, length));
2524 latest = latest + length - capped;
2525
2526 if (metadata->first_ == 0)
2527 metadata->first_ = now_;
2528
2529 if (metadata->vhash_ != vhash || strncmp(metadata->version_, latest, sizeof(metadata->version_)) != 0) {
2530 strncpy(metadata->version_, latest, sizeof(metadata->version_));
2531 metadata->vhash_ = vhash;
2532 metadata->last_ = now_;
2533 } else if (metadata->last_ == 0)
2534 metadata->last_ = metadata->first_;
2535 _end
2536
2537 _profile(Package$initWithVersion$Section)
2538 section_ = version_.Section();
2539 _end
2540
2541 _profile(Package$initWithVersion$Flags)
2542 essential_ |= ((iterator->Flags & pkgCache::Flag::Essential) == 0 ? NO : YES);
2543 ignored_ = iterator->SelectedState == pkgCache::State::Hold;
2544 _end
2545 _end } return self;
2546}
2547
2548+ (Package *) newPackageWithIterator:(pkgCache::PkgIterator)iterator withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database {
2549 pkgCache::VerIterator version;
2550
2551 _profile(Package$packageWithIterator$GetCandidateVer)
2552 version = [database policy]->GetCandidateVer(iterator);
2553 _end
2554
2555 if (version.end())
2556 return nil;
2557
2558 Package *package;
2559
2560 _profile(Package$packageWithIterator$Allocate)
2561 package = [Package allocWithZone:zone];
2562 _end
2563
2564 _profile(Package$packageWithIterator$Initialize)
2565 package = [package
2566 initWithVersion:version
2567 withZone:zone
2568 inPool:pool
2569 database:database
2570 ];
2571 _end
2572
2573 return package;
2574}
2575
2576// XXX: just in case a Cydia extension is using this (I bet this is unlikely, though, due to CYPool?)
2577+ (Package *) packageWithIterator:(pkgCache::PkgIterator)iterator withZone:(NSZone *)zone inPool:(CYPool *)pool database:(Database *)database {
2578 return [[self newPackageWithIterator:iterator withZone:zone inPool:pool database:database] autorelease];
2579}
2580
2581- (pkgCache::PkgIterator) iterator {
2582 return iterator_;
2583}
2584
2585- (NSArray *) downgrades {
2586 NSMutableArray *versions([NSMutableArray arrayWithCapacity:4]);
2587
2588 for (auto version(iterator_.VersionList()); !version.end(); ++version) {
2589 if (version == version_)
2590 continue;
2591 Package *package([[[Package allocWithZone:NULL] initWithVersion:version withZone:NULL inPool:NULL database:database_] autorelease]);
2592 if ([package source] == nil)
2593 continue;
2594 [versions addObject:package];
2595 }
2596
2597 return versions;
2598}
2599
2600- (NSString *) section {
2601 if (section$_ == nil) {
2602 if (section_ == NULL)
2603 return nil;
2604
2605 _profile(Package$section$mappedSectionForPointer)
2606 section$_ = [database_ mappedSectionForPointer:section_];
2607 _end
2608 } return section$_;
2609}
2610
2611- (NSString *) simpleSection {
2612 if (NSString *section = [self section])
2613 return Simplify(section);
2614 else
2615 return nil;
2616}
2617
2618- (NSString *) longSection {
2619 if (NSString *section = [self section])
2620 return LocalizeSection(section);
2621 else
2622 return nil;
2623}
2624
2625- (NSString *) shortSection {
2626 return [[NSBundle mainBundle] localizedStringForKey:[self simpleSection] value:nil table:@"Sections"];
2627}
2628
2629- (NSString *) uri {
2630 return nil;
2631#if 0
2632 pkgIndexFile *index;
2633 pkgCache::PkgFileIterator file(file_.File());
2634 if (![database_ list].FindIndex(file, index))
2635 return nil;
2636 return [NSString stringWithUTF8String:iterator_->Path];
2637 //return [NSString stringWithUTF8String:file.Site()];
2638 //return [NSString stringWithUTF8String:index->ArchiveURI(file.FileName()).c_str()];
2639#endif
2640}
2641
2642- (MIMEAddress *) maintainer {
2643@synchronized (database_) {
2644 if ([database_ era] != era_ || file_.end())
2645 return nil;
2646
2647 pkgRecords::Parser *parser = &[database_ records]->Lookup(file_);
2648 const std::string &maintainer(parser->Maintainer());
2649 return maintainer.empty() ? nil : [MIMEAddress addressWithString:[NSString stringWithUTF8String:maintainer.c_str()]];
2650} }
2651
2652- (NSString *) md5sum {
2653 return parsed_ == NULL ? nil : (id) parsed_->md5sum_;
2654}
2655
2656- (size_t) size {
2657@synchronized (database_) {
2658 if ([database_ era] != era_ || version_.end())
2659 return 0;
2660
2661 return version_->InstalledSize;
2662} }
2663
2664- (NSString *) longDescription {
2665@synchronized (database_) {
2666 if ([database_ era] != era_ || file_.end())
2667 return nil;
2668
2669 pkgRecords::Parser *parser = &[database_ records]->Lookup(file_);
2670 NSString *description([NSString stringWithUTF8String:parser->LongDesc().c_str()]);
2671
2672 NSArray *lines = [description componentsSeparatedByString:@"\n"];
2673 NSMutableArray *trimmed = [NSMutableArray arrayWithCapacity:([lines count] - 1)];
2674 if ([lines count] < 2)
2675 return nil;
2676
2677 NSCharacterSet *whitespace = [NSCharacterSet whitespaceCharacterSet];
2678 for (size_t i(1), e([lines count]); i != e; ++i) {
2679 NSString *trim = [[lines objectAtIndex:i] stringByTrimmingCharactersInSet:whitespace];
2680 [trimmed addObject:trim];
2681 }
2682
2683 return [trimmed componentsJoinedByString:@"\n"];
2684} }
2685
2686- (NSString *) shortDescription {
2687 if (parsed_ != NULL)
2688 return static_cast<NSString *>(parsed_->tagline_);
2689
2690@synchronized (database_) {
2691 pkgRecords::Parser &parser([database_ records]->Lookup(file_));
2692 std::string value(parser.ShortDesc());
2693 if (value.empty())
2694 return nil;
2695 if (value.size() > 200)
2696 value.resize(200);
2697 return [(id) CYStringCreate(value) autorelease];
2698} }
2699
2700- (unichar) index {
2701 _profile(Package$index)
2702 CFStringRef name((CFStringRef) [self name]);
2703 if (CFStringGetLength(name) == 0)
2704 return '#';
2705 UniChar character(CFStringGetCharacterAtIndex(name, 0));
2706 if (!CFUniCharIsMemberOf(character, kCFUniCharLetterCharacterSet))
2707 return '#';
2708 return toupper(character);
2709 _end
2710}
2711
2712- (PackageValue *) metadata {
2713 return metadata_;
2714}
2715
2716- (time_t) seen {
2717 PackageValue *metadata([self metadata]);
2718 return metadata->subscribed_ ? metadata->last_ : metadata->first_;
2719}
2720
2721- (bool) subscribed {
2722 return [self metadata]->subscribed_;
2723}
2724
2725- (bool) setSubscribed:(bool)subscribed {
2726 PackageValue *metadata([self metadata]);
2727 if (metadata->subscribed_ == subscribed)
2728 return false;
2729 metadata->subscribed_ = subscribed;
2730 return true;
2731}
2732
2733- (BOOL) ignored {
2734 return ignored_;
2735}
2736
2737- (NSString *) latest {
2738 return latest_;
2739}
2740
2741- (NSString *) installed {
2742 return installed_;
2743}
2744
2745- (BOOL) uninstalled {
2746 return installed_.empty();
2747}
2748
2749- (BOOL) upgradableAndEssential:(BOOL)essential {
2750 _profile(Package$upgradableAndEssential)
2751 pkgCache::VerIterator current(iterator_.CurrentVer());
2752 if (current.end())
2753 return essential && essential_;
2754 else
2755 return version_ != current;
2756 _end
2757}
2758
2759- (BOOL) essential {
2760 return essential_;
2761}
2762
2763- (BOOL) broken {
2764 return [database_ cache][iterator_].InstBroken();
2765}
2766
2767- (BOOL) unfiltered {
2768 _profile(Package$unfiltered$obsolete)
2769 if (_unlikely(obsolete_))
2770 return false;
2771 _end
2772
2773 _profile(Package$unfiltered$role)
2774 if (_unlikely(role_ > 3))
2775 return false;
2776 _end
2777
2778 return true;
2779}
2780
2781- (BOOL) visible {
2782 if (![self unfiltered])
2783 return false;
2784
2785 NSString *section;
2786
2787 _profile(Package$visible$section)
2788 section = [self section];
2789 _end
2790
2791 _profile(Package$visible$isSectionVisible)
2792 if (!isSectionVisible(section))
2793 return false;
2794 _end
2795
2796 return true;
2797}
2798
2799- (BOOL) half {
2800 unsigned char current(iterator_->CurrentState);
2801 return current == pkgCache::State::HalfConfigured || current == pkgCache::State::HalfInstalled;
2802}
2803
2804- (BOOL) halfConfigured {
2805 return iterator_->CurrentState == pkgCache::State::HalfConfigured;
2806}
2807
2808- (BOOL) halfInstalled {
2809 return iterator_->CurrentState == pkgCache::State::HalfInstalled;
2810}
2811
2812- (BOOL) hasMode {
2813@synchronized (database_) {
2814 if ([database_ era] != era_ || iterator_.end())
2815 return NO;
2816
2817 pkgDepCache::StateCache &state([database_ cache][iterator_]);
2818 return state.Mode != pkgDepCache::ModeKeep;
2819} }
2820
2821- (NSString *) mode {
2822@synchronized (database_) {
2823 if ([database_ era] != era_ || iterator_.end())
2824 return nil;
2825
2826 pkgDepCache::StateCache &state([database_ cache][iterator_]);
2827
2828 switch (state.Mode) {
2829 case pkgDepCache::ModeDelete:
2830 if ((state.iFlags & pkgDepCache::Purge) != 0)
2831 return @"PURGE";
2832 else
2833 return @"REMOVE";
2834 case pkgDepCache::ModeKeep:
2835 if ((state.iFlags & pkgDepCache::ReInstall) != 0)
2836 return @"REINSTALL";
2837 /*else if ((state.iFlags & pkgDepCache::AutoKept) != 0)
2838 return nil;*/
2839 else
2840 return nil;
2841 case pkgDepCache::ModeInstall:
2842 /*if ((state.iFlags & pkgDepCache::ReInstall) != 0)
2843 return @"REINSTALL";
2844 else*/ switch (state.Status) {
2845 case -1:
2846 return @"DOWNGRADE";
2847 case 0:
2848 return @"INSTALL";
2849 case 1:
2850 return @"UPGRADE";
2851 case 2:
2852 return @"NEW_INSTALL";
2853 _nodefault
2854 }
2855 _nodefault
2856 }
2857} }
2858
2859- (NSString *) id {
2860 return id_;
2861}
2862
2863- (NSString *) name {
2864 return name_.empty() ? id_ : name_;
2865}
2866
2867- (UIImage *) icon {
2868 NSString *section = [self simpleSection];
2869
2870 UIImage *icon(nil);
2871 if (parsed_ != NULL)
2872 if (NSString *href = parsed_->icon_)
2873 if ([href hasPrefix:@"file:///"])
2874 icon = [UIImage imageAtPath:[[href substringFromIndex:7] stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding]];
2875 if (icon == nil) if (section != nil)
2876 icon = [UIImage imageAtPath:[NSString stringWithFormat:@"%@/Sections/%@.png", App_, [section stringByReplacingOccurrencesOfString:@" " withString:@"_"]]];
2877 if (icon == nil) if (Source *source = [self source]) if (NSString *dicon = [source defaultIcon])
2878 if ([dicon hasPrefix:@"file:///"])
2879 icon = [UIImage imageAtPath:[[dicon substringFromIndex:7] stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding]];
2880 if (icon == nil)
2881 icon = [UIImage imageNamed:@"unknown.png"];
2882 return icon;
2883}
2884
2885- (NSString *) homepage {
2886 return parsed_ == NULL ? nil : static_cast<NSString *>(parsed_->homepage_);
2887}
2888
2889- (NSString *) depiction {
2890 return parsed_ != NULL && !parsed_->depiction_.empty() ? parsed_->depiction_ : [[self source] depictionForPackage:id_];
2891}
2892
2893- (MIMEAddress *) author {
2894 return parsed_ == NULL || parsed_->author_.empty() ? nil : [MIMEAddress addressWithString:parsed_->author_];
2895}
2896
2897- (NSString *) support {
2898 return parsed_ != NULL && !parsed_->support_.empty() ? parsed_->support_ : [[self source] supportForPackage:id_];
2899}
2900
2901- (NSArray *) files {
2902 NSString *path = [NSString stringWithFormat:@"/var/lib/dpkg/info/%@.list", static_cast<NSString *>(id_)];
2903 NSMutableArray *files = [NSMutableArray arrayWithCapacity:128];
2904
2905 std::ifstream fin;
2906 fin.open([path UTF8String]);
2907 if (!fin.is_open())
2908 return nil;
2909
2910 std::string line;
2911 while (std::getline(fin, line))
2912 [files addObject:[NSString stringWithUTF8String:line.c_str()]];
2913
2914 return files;
2915}
2916
2917- (NSString *) state {
2918@synchronized (database_) {
2919 if ([database_ era] != era_ || file_.end())
2920 return nil;
2921
2922 switch (iterator_->CurrentState) {
2923 case pkgCache::State::NotInstalled:
2924 return @"NotInstalled";
2925 case pkgCache::State::UnPacked:
2926 return @"UnPacked";
2927 case pkgCache::State::HalfConfigured:
2928 return @"HalfConfigured";
2929 case pkgCache::State::HalfInstalled:
2930 return @"HalfInstalled";
2931 case pkgCache::State::ConfigFiles:
2932 return @"ConfigFiles";
2933 case pkgCache::State::Installed:
2934 return @"Installed";
2935 case pkgCache::State::TriggersAwaited:
2936 return @"TriggersAwaited";
2937 case pkgCache::State::TriggersPending:
2938 return @"TriggersPending";
2939 }
2940
2941 return (NSString *) [NSNull null];
2942} }
2943
2944- (NSString *) selection {
2945@synchronized (database_) {
2946 if ([database_ era] != era_ || file_.end())
2947 return nil;
2948
2949 switch (iterator_->SelectedState) {
2950 case pkgCache::State::Unknown:
2951 return @"Unknown";
2952 case pkgCache::State::Install:
2953 return @"Install";
2954 case pkgCache::State::Hold:
2955 return @"Hold";
2956 case pkgCache::State::DeInstall:
2957 return @"DeInstall";
2958 case pkgCache::State::Purge:
2959 return @"Purge";
2960 }
2961
2962 return (NSString *) [NSNull null];
2963} }
2964
2965- (NSArray *) warnings {
2966@synchronized (database_) {
2967 if ([database_ era] != era_ || file_.end())
2968 return nil;
2969
2970 NSMutableArray *warnings([NSMutableArray arrayWithCapacity:4]);
2971 const char *name(iterator_.Name());
2972
2973 size_t length(strlen(name));
2974 if (length < 2) invalid:
2975 [warnings addObject:UCLocalize("ILLEGAL_PACKAGE_IDENTIFIER")];
2976 else for (size_t i(0); i != length; ++i)
2977 if (
2978 /* XXX: technically this is not allowed */
2979 (name[i] < 'A' || name[i] > 'Z') &&
2980 (name[i] < 'a' || name[i] > 'z') &&
2981 (name[i] < '0' || name[i] > '9') &&
2982 (i == 0 || name[i] != '+' && name[i] != '-' && name[i] != '.')
2983 ) goto invalid;
2984
2985 if (strcmp(name, "cydia") != 0) {
2986 bool cydia = false;
2987 bool user = false;
2988 bool _private = false;
2989 bool stash = false;
2990 bool dbstash = false;
2991 bool dsstore = false;
2992
2993 bool repository = [[self section] isEqualToString:@"Repositories"];
2994
2995 if (NSArray *files = [self files])
2996 for (NSString *file in files)
2997 if (!cydia && [file isEqualToString:@"/Applications/Cydia.app"])
2998 cydia = true;
2999 else if (!user && [file isEqualToString:@"/User"])
3000 user = true;
3001 else if (!_private && [file isEqualToString:@"/private"])
3002 _private = true;
3003 else if (!stash && [file isEqualToString:@"/var/stash"])
3004 stash = true;
3005 else if (!dbstash && [file isEqualToString:@"/var/db/stash"])
3006 dbstash = true;
3007 else if (!dsstore && [file hasSuffix:@"/.DS_Store"])
3008 dsstore = true;
3009
3010 /* XXX: this is not sensitive enough. only some folders are valid. */
3011 if (cydia && !repository)
3012 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @"Cydia.app"]];
3013 if (user)
3014 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @"/User"]];
3015 if (_private)
3016 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @"/private"]];
3017 if (stash)
3018 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @"/var/stash"]];
3019 if (dbstash)
3020 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @"/var/db/stash"]];
3021 if (dsstore)
3022 [warnings addObject:[NSString stringWithFormat:UCLocalize("FILES_INSTALLED_TO"), @".DS_Store"]];
3023 }
3024
3025 return [warnings count] == 0 ? nil : warnings;
3026} }
3027
3028- (NSArray *) applications {
3029 NSString *me([[NSBundle mainBundle] bundleIdentifier]);
3030
3031 NSMutableArray *applications([NSMutableArray arrayWithCapacity:2]);
3032
3033 static RegEx application_r("/Applications/(.*)\\.app/Info.plist");
3034 if (NSArray *files = [self files])
3035 for (NSString *file in files)
3036 if (application_r(file)) {
3037 NSDictionary *info([NSDictionary dictionaryWithContentsOfFile:file]);
3038 if (info == nil)
3039 continue;
3040 NSString *id([info objectForKey:@"CFBundleIdentifier"]);
3041 if (id == nil || [id isEqualToString:me])
3042 continue;
3043
3044 NSString *display([info objectForKey:@"CFBundleDisplayName"]);
3045 if (display == nil)
3046 display = application_r[1];
3047
3048 NSString *bundle([file stringByDeletingLastPathComponent]);
3049 NSString *icon([info objectForKey:@"CFBundleIconFile"]);
3050 // XXX: maybe this should check if this is really a string, not just for length
3051 if (icon == nil || ![icon respondsToSelector:@selector(length)] || [icon length] == 0)
3052 icon = @"icon.png";
3053 NSURL *url([NSURL fileURLWithPath:[bundle stringByAppendingPathComponent:icon]]);
3054
3055 NSMutableArray *application([NSMutableArray arrayWithCapacity:2]);
3056 [applications addObject:application];
3057
3058 [application addObject:id];
3059 [application addObject:display];
3060 [application addObject:url];
3061 }
3062
3063 return [applications count] == 0 ? nil : applications;
3064}
3065
3066- (Source *) source {
3067 if (source_ == nil) {
3068 @synchronized (database_) {
3069 if ([database_ era] != era_ || file_.end())
3070 source_ = (Source *) [NSNull null];
3071 else
3072 source_ = [database_ getSource:file_.File()] ?: (Source *) [NSNull null];
3073 }
3074 }
3075
3076 return source_ == (Source *) [NSNull null] ? nil : source_;
3077}
3078
3079- (time_t) upgraded {
3080 return upgraded_;
3081}
3082
3083- (uint32_t) recent {
3084 return std::numeric_limits<uint32_t>::max() - upgraded_;
3085}
3086
3087- (uint32_t) rank {
3088 return rank_;
3089}
3090
3091- (BOOL) matches:(NSArray *)query {
3092 if (query == nil || [query count] == 0)
3093 return NO;
3094
3095 rank_ = 0;
3096
3097 NSString *string;
3098 NSRange range;
3099 NSUInteger length;
3100
3101 string = [self name];
3102 length = [string length];
3103
3104 if (length != 0)
3105 for (NSString *term in query) {
3106 range = [string rangeOfString:term options:MatchCompareOptions_];
3107 if (range.location != NSNotFound)
3108 rank_ -= 6 * 1000000 / length;
3109 }
3110
3111 if (rank_ == 0) {
3112 string = [self id];
3113 length = [string length];
3114
3115 if (length != 0)
3116 for (NSString *term in query) {
3117 range = [string rangeOfString:term options:MatchCompareOptions_];
3118 if (range.location != NSNotFound)
3119 rank_ -= 6 * 1000000 / length;
3120 }
3121 }
3122
3123 string = [self shortDescription];
3124 length = [string length];
3125 NSUInteger stop(std::min<NSUInteger>(length, 200));
3126
3127 if (length != 0)
3128 for (NSString *term in query) {
3129 range = [string rangeOfString:term options:MatchCompareOptions_ range:NSMakeRange(0, stop)];
3130 if (range.location != NSNotFound)
3131 rank_ -= 2 * 100000;
3132 }
3133
3134 return rank_ != 0;
3135}
3136
3137- (NSArray *) tags {
3138 return tags_;
3139}
3140
3141- (BOOL) hasTag:(NSString *)tag {
3142 return tags_ == nil ? NO : [tags_ containsObject:tag];
3143}
3144
3145- (NSString *) primaryPurpose {
3146 for (NSString *tag in (NSArray *) tags_)
3147 if ([tag hasPrefix:@"purpose::"])
3148 return [tag substringFromIndex:9];
3149 return nil;
3150}
3151
3152- (NSArray *) purposes {
3153 NSMutableArray *purposes([NSMutableArray arrayWithCapacity:2]);
3154 for (NSString *tag in (NSArray *) tags_)
3155 if ([tag hasPrefix:@"purpose::"])
3156 [purposes addObject:[tag substringFromIndex:9]];
3157 return [purposes count] == 0 ? nil : purposes;
3158}
3159
3160- (bool) isCommercial {
3161 return [self hasTag:@"cydia::commercial"];
3162}
3163
3164- (void) setIndex:(size_t)index {
3165 if (metadata_->index_ != index + 1)
3166 metadata_->index_ = index + 1;
3167}
3168
3169- (CYString &) cyname {
3170 return !transform_.empty() ? transform_ : !name_.empty() ? name_ : id_;
3171}
3172
3173- (uint32_t) compareBySection:(NSArray *)sections {
3174 NSString *section([self section]);
3175 for (size_t i(0), e([sections count]); i != e; ++i) {
3176 if ([section isEqualToString:[[sections objectAtIndex:i] name]])
3177 return i;
3178 }
3179
3180 return _not(uint32_t);
3181}
3182
3183- (void) clear {
3184@synchronized (database_) {
3185 if ([database_ era] != era_ || file_.end())
3186 return;
3187
3188 pkgProblemResolver *resolver = [database_ resolver];
3189 resolver->Clear(iterator_);
3190
3191 pkgCacheFile &cache([database_ cache]);
3192 cache->SetReInstall(iterator_, false);
3193 cache->MarkKeep(iterator_, false);
3194} }
3195
3196- (void) install {
3197@synchronized (database_) {
3198 if ([database_ era] != era_ || file_.end())
3199 return;
3200
3201 pkgProblemResolver *resolver = [database_ resolver];
3202 resolver->Clear(iterator_);
3203 resolver->Protect(iterator_);
3204
3205 pkgCacheFile &cache([database_ cache]);
3206 cache->SetCandidateVersion(version_);
3207 cache->SetReInstall(iterator_, false);
3208 cache->MarkInstall(iterator_, false);
3209
3210 pkgDepCache::StateCache &state((*cache)[iterator_]);
3211 if (!state.Install())
3212 cache->SetReInstall(iterator_, true);
3213} }
3214
3215- (void) remove {
3216@synchronized (database_) {
3217 if ([database_ era] != era_ || file_.end())
3218 return;
3219
3220 pkgProblemResolver *resolver = [database_ resolver];
3221 resolver->Clear(iterator_);
3222 resolver->Remove(iterator_);
3223 resolver->Protect(iterator_);
3224
3225 pkgCacheFile &cache([database_ cache]);
3226 cache->SetReInstall(iterator_, false);
3227 cache->MarkDelete(iterator_, true);
3228} }
3229
3230@end
3231/* }}} */
3232/* Section Class {{{ */
3233@interface Section : NSObject {
3234 _H<NSString> name_;
3235 size_t row_;
3236 size_t count_;
3237 _H<NSString> localized_;
3238}
3239
3240- (NSComparisonResult) compareByLocalized:(Section *)section;
3241- (Section *) initWithName:(NSString *)name localized:(NSString *)localized;
3242- (Section *) initWithName:(NSString *)name localize:(BOOL)localize;
3243- (Section *) initWithName:(NSString *)name row:(size_t)row localize:(BOOL)localize;
3244
3245- (NSString *) name;
3246- (void) setName:(NSString *)name;
3247
3248- (size_t) row;
3249- (size_t) count;
3250
3251- (void) addToRow;
3252- (void) addToCount;
3253
3254- (void) setCount:(size_t)count;
3255- (NSString *) localized;
3256
3257@end
3258
3259@implementation Section
3260
3261- (NSComparisonResult) compareByLocalized:(Section *)section {
3262 NSString *lhs(localized_);
3263 NSString *rhs([section localized]);
3264
3265 /*if ([lhs length] != 0 && [rhs length] != 0) {
3266 unichar lhc = [lhs characterAtIndex:0];
3267 unichar rhc = [rhs characterAtIndex:0];
3268
3269 if (isalpha(lhc) && !isalpha(rhc))
3270 return NSOrderedAscending;
3271 else if (!isalpha(lhc) && isalpha(rhc))
3272 return NSOrderedDescending;
3273 }*/
3274
3275 return [lhs compare:rhs options:LaxCompareOptions_];
3276}
3277
3278- (Section *) initWithName:(NSString *)name localized:(NSString *)localized {
3279 if ((self = [self initWithName:name localize:NO]) != nil) {
3280 if (localized != nil)
3281 localized_ = localized;
3282 } return self;
3283}
3284
3285- (Section *) initWithName:(NSString *)name localize:(BOOL)localize {
3286 return [self initWithName:name row:0 localize:localize];
3287}
3288
3289- (Section *) initWithName:(NSString *)name row:(size_t)row localize:(BOOL)localize {
3290 if ((self = [super init]) != nil) {
3291 name_ = name;
3292 row_ = row;
3293 if (localize)
3294 localized_ = LocalizeSection(name_);
3295 } return self;
3296}
3297
3298- (NSString *) name {
3299 return name_;
3300}
3301
3302- (void) setName:(NSString *)name {
3303 name_ = name;
3304}
3305
3306- (size_t) row {
3307 return row_;
3308}
3309
3310- (size_t) count {
3311 return count_;
3312}
3313
3314- (void) addToRow {
3315 ++row_;
3316}
3317
3318- (void) addToCount {
3319 ++count_;
3320}
3321
3322- (void) setCount:(size_t)count {
3323 count_ = count;
3324}
3325
3326- (NSString *) localized {
3327 return localized_;
3328}
3329
3330@end
3331/* }}} */
3332
3333class CydiaLogCleaner :
3334 public pkgArchiveCleaner
3335{
3336 protected:
3337 virtual void Erase(const char *File, std::string Pkg, std::string Ver, struct stat &St) {
3338 unlink(File);
3339 }
3340};
3341
3342/* Database Implementation {{{ */
3343@implementation Database
3344
3345+ (Database *) sharedInstance {
3346 static _H<Database> instance;
3347 if (instance == nil)
3348 instance = [[[Database alloc] init] autorelease];
3349 return instance;
3350}
3351
3352- (unsigned) era {
3353 return era_;
3354}
3355
3356- (void) releasePackages {
3357 packages_ = nil;
3358}
3359
3360- (bool) hasPackages {
3361 return [packages_ count] != 0;
3362}
3363
3364- (void) dealloc {
3365 // XXX: actually implement this thing
3366 _assert(false);
3367 [self releasePackages];
3368 NSRecycleZone(zone_);
3369 [super dealloc];
3370}
3371
3372- (void) _readCydia:(NSNumber *)fd {
3373 boost::fdistream is([fd intValue]);
3374 std::string line;
3375
3376 static RegEx finish_r("finish:([^:]*)");
3377
3378 while (std::getline(is, line)) {
3379 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
3380
3381 const char *data(line.c_str());
3382 size_t size = line.size();
3383 lprintf("C:%s\n", data);
3384
3385 if (finish_r(data, size)) {
3386 NSString *finish = finish_r[1];
3387 int index = [Finishes_ indexOfObject:finish];
3388 if (index != INT_MAX && index > Finish_)
3389 Finish_ = index;
3390 }
3391
3392 [pool release];
3393 }
3394
3395 _assume(false);
3396}
3397
3398- (void) _readStatus:(NSNumber *)fd {
3399 boost::fdistream is([fd intValue]);
3400 std::string line;
3401
3402 static RegEx conffile_r("status: [^ ]* : conffile-prompt : (.*?) *");
3403 static RegEx pmstatus_r("([^:]*):([^:]*):([^:]*):(.*)");
3404
3405 while (std::getline(is, line)) {
3406 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
3407
3408 const char *data(line.c_str());
3409 size_t size(line.size());
3410 lprintf("S:%s\n", data);
3411
3412 if (conffile_r(data, size)) {
3413 // status: /fail : conffile-prompt : '/fail' '/fail.dpkg-new' 1 1
3414 [delegate_ performSelectorOnMainThread:@selector(setConfigurationData:) withObject:conffile_r[1] waitUntilDone:YES];
3415 } else if (strncmp(data, "status: ", 8) == 0) {
3416 // status: <package>: {unpacked,half-configured,installed}
3417 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:(data + 8)] ofType:kCydiaProgressEventTypeStatus]);
3418 [progress_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
3419 } else if (strncmp(data, "processing: ", 12) == 0) {
3420 // processing: configure: config-test
3421 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:(data + 12)] ofType:kCydiaProgressEventTypeStatus]);
3422 [progress_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
3423 } else if (pmstatus_r(data, size)) {
3424 std::string type([pmstatus_r[1] UTF8String]);
3425
3426 NSString *package = pmstatus_r[2];
3427 if ([package isEqualToString:@"dpkg-exec"])
3428 package = nil;
3429
3430 float percent([pmstatus_r[3] floatValue]);
3431 [progress_ performSelectorOnMainThread:@selector(setProgressPercent:) withObject:[NSNumber numberWithFloat:(percent / 100)] waitUntilDone:YES];
3432
3433 NSString *string = pmstatus_r[4];
3434
3435 if (type == "pmerror") {
3436 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:string ofType:kCydiaProgressEventTypeError forPackage:package]);
3437 [progress_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
3438 } else if (type == "pmstatus") {
3439 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:string ofType:kCydiaProgressEventTypeStatus forPackage:package]);
3440 [progress_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
3441 } else if (type == "pmconffile")
3442 [delegate_ performSelectorOnMainThread:@selector(setConfigurationData:) withObject:string waitUntilDone:YES];
3443 else
3444 lprintf("E:unknown pmstatus\n");
3445 } else
3446 lprintf("E:unknown status\n");
3447
3448 [pool release];
3449 }
3450
3451 _assume(false);
3452}
3453
3454- (void) _readOutput:(NSNumber *)fd {
3455 boost::fdistream is([fd intValue]);
3456 std::string line;
3457
3458 while (std::getline(is, line)) {
3459 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
3460
3461 lprintf("O:%s\n", line.c_str());
3462
3463 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:line.c_str()] ofType:kCydiaProgressEventTypeInformation]);
3464 [progress_ performSelectorOnMainThread:@selector(addProgressEvent:) withObject:event waitUntilDone:YES];
3465
3466 [pool release];
3467 }
3468
3469 _assume(false);
3470}
3471
3472- (FILE *) input {
3473 return input_;
3474}
3475
3476- (Package *) packageWithName:(NSString *)name {
3477 if (name == nil)
3478 return nil;
3479@synchronized (self) {
3480 if (static_cast<pkgDepCache *>(cache_) == NULL)
3481 return nil;
3482 pkgCache::PkgIterator iterator(cache_->FindPkg([name UTF8String]
3483#ifdef __arm64__
3484 , "any"
3485#endif
3486 ));
3487 return iterator.end() ? nil : [[Package newPackageWithIterator:iterator withZone:NULL inPool:NULL database:self] autorelease];
3488} }
3489
3490- (id) init {
3491 if ((self = [super init]) != nil) {
3492 policy_ = NULL;
3493 records_ = NULL;
3494 resolver_ = NULL;
3495 fetcher_ = NULL;
3496 lock_ = NULL;
3497
3498 zone_ = NSCreateZone(1024 * 1024, 256 * 1024, NO);
3499
3500 sourceList_ = [NSMutableArray arrayWithCapacity:16];
3501
3502 int fds[2];
3503
3504 _assert(pipe(fds) != -1);
3505 cydiafd_ = fds[1];
3506
3507 _config->Set("APT::Keep-Fds::", cydiafd_);
3508 setenv("CYDIA", [[[[NSNumber numberWithInt:cydiafd_] stringValue] stringByAppendingString:@" 1"] UTF8String], _not(int));
3509
3510 [NSThread
3511 detachNewThreadSelector:@selector(_readCydia:)
3512 toTarget:self
3513 withObject:[NSNumber numberWithInt:fds[0]]
3514 ];
3515
3516 _assert(pipe(fds) != -1);
3517 statusfd_ = fds[1];
3518
3519 [NSThread
3520 detachNewThreadSelector:@selector(_readStatus:)
3521 toTarget:self
3522 withObject:[NSNumber numberWithInt:fds[0]]
3523 ];
3524
3525 _assert(pipe(fds) != -1);
3526 _assert(dup2(fds[0], 0) != -1);
3527 _assert(close(fds[0]) != -1);
3528
3529 input_ = fdopen(fds[1], "a");
3530
3531 _assert(pipe(fds) != -1);
3532 _assert(dup2(fds[1], 1) != -1);
3533 _assert(close(fds[1]) != -1);
3534
3535 [NSThread
3536 detachNewThreadSelector:@selector(_readOutput:)
3537 toTarget:self
3538 withObject:[NSNumber numberWithInt:fds[0]]
3539 ];
3540 } return self;
3541}
3542
3543- (pkgCacheFile &) cache {
3544 return cache_;
3545}
3546
3547- (pkgDepCache::Policy *) policy {
3548 return policy_;
3549}
3550
3551- (pkgRecords *) records {
3552 return records_;
3553}
3554
3555- (pkgProblemResolver *) resolver {
3556 return resolver_;
3557}
3558
3559- (pkgAcquire &) fetcher {
3560 return *fetcher_;
3561}
3562
3563- (pkgSourceList &) list {
3564 return *list_;
3565}
3566
3567- (NSArray *) packages {
3568 return packages_;
3569}
3570
3571- (NSArray *) sources {
3572 return sourceList_;
3573}
3574
3575- (Source *) sourceWithKey:(NSString *)key {
3576 for (Source *source in [self sources]) {
3577 if ([[source key] isEqualToString:key])
3578 return source;
3579 } return nil;
3580}
3581
3582- (bool) popErrorWithTitle:(NSString *)title {
3583 bool fatal(false);
3584
3585 while (!_error->empty()) {
3586 std::string error;
3587 bool warning(!_error->PopMessage(error));
3588 if (!warning)
3589 fatal = true;
3590
3591 for (;;) {
3592 size_t size(error.size());
3593 if (size == 0 || error[size - 1] != '\n')
3594 break;
3595 error.resize(size - 1);
3596 }
3597
3598 lprintf("%c:[%s]\n", warning ? 'W' : 'E', error.c_str());
3599
3600 static RegEx no_pubkey("GPG error:.* NO_PUBKEY .*");
3601 if (warning && no_pubkey(error.c_str()))
3602 continue;
3603
3604 [delegate_ addProgressEventOnMainThread:[CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:error.c_str()] ofType:(warning ? kCydiaProgressEventTypeWarning : kCydiaProgressEventTypeError)] forTask:title];
3605 }
3606
3607 return fatal;
3608}
3609
3610- (bool) popErrorWithTitle:(NSString *)title forOperation:(bool)success {
3611 return [self popErrorWithTitle:title] || !success;
3612}
3613
3614- (bool) popErrorWithTitle:(NSString *)title forReadList:(pkgSourceList &)list {
3615 if ([self popErrorWithTitle:title forOperation:list.ReadMainList()])
3616 return true;
3617 return false;
3618
3619 list.Reset();
3620
3621 bool error(false);
3622
3623 if (access("/etc/apt/sources.list", F_OK) == 0)
3624 error |= [self popErrorWithTitle:title forOperation:list.ReadAppend("/etc/apt/sources.list")];
3625
3626 std::string base("/etc/apt/sources.list.d");
3627 if (DIR *sources = opendir(base.c_str())) {
3628 while (dirent *source = readdir(sources))
3629 if (source->d_name[0] != '.' && source->d_namlen > 5 && strcmp(source->d_name + source->d_namlen - 5, ".list") == 0 && strcmp(source->d_name, "cydia.list") != 0)
3630 error |= [self popErrorWithTitle:title forOperation:list.ReadAppend((base + "/" + source->d_name).c_str())];
3631 closedir(sources);
3632 }
3633
3634 error |= [self popErrorWithTitle:title forOperation:list.ReadAppend(SOURCES_LIST)];
3635
3636 return error;
3637}
3638
3639- (void) reloadDataWithInvocation:(NSInvocation *)invocation {
3640@synchronized (self) {
3641 ++era_;
3642
3643 [self releasePackages];
3644
3645 sourceMap_.clear();
3646 [sourceList_ removeAllObjects];
3647
3648 _error->Discard();
3649
3650 delete list_;
3651 list_ = NULL;
3652 manager_ = NULL;
3653 delete lock_;
3654 lock_ = NULL;
3655 delete fetcher_;
3656 fetcher_ = NULL;
3657 delete resolver_;
3658 resolver_ = NULL;
3659 delete records_;
3660 records_ = NULL;
3661 delete policy_;
3662 policy_ = NULL;
3663
3664 cache_.Close();
3665
3666 pool_.~CYPool();
3667 new (&pool_) CYPool();
3668
3669 NSRecycleZone(zone_);
3670 zone_ = NSCreateZone(1024 * 1024, 256 * 1024, NO);
3671
3672 int chk(creat("/tmp/cydia.chk", 0644));
3673 if (chk != -1)
3674 close(chk);
3675
3676 if (invocation != nil)
3677 [invocation invoke];
3678
3679 NSString *title(UCLocalize("DATABASE"));
3680
3681 list_ = new pkgSourceList();
3682 _profile(reloadDataWithInvocation$ReadMainList)
3683 if ([self popErrorWithTitle:title forReadList:*list_])
3684 return;
3685 _end
3686
3687 _profile(reloadDataWithInvocation$Source$initWithMetaIndex)
3688 for (pkgSourceList::const_iterator source = list_->begin(); source != list_->end(); ++source) {
3689 Source *object([[[Source alloc] initWithMetaIndex:*source forDatabase:self inPool:&pool_] autorelease]);
3690 [sourceList_ addObject:object];
3691 }
3692 _end
3693
3694 _trace();
3695 OpProgress progress;
3696 bool opened;
3697 open:
3698 delock_ = GetStatusDate();
3699 _profile(reloadDataWithInvocation$pkgCacheFile)
3700 opened = cache_.Open(progress, false);
3701 _end
3702 if (!opened) {
3703 // XXX: this block should probably be merged with popError: in some way
3704 while (!_error->empty()) {
3705 std::string error;
3706 bool warning(!_error->PopMessage(error));
3707
3708 lprintf("cache_.Open():[%s]\n", error.c_str());
3709
3710 [delegate_ addProgressEventOnMainThread:[CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:error.c_str()] ofType:(warning ? kCydiaProgressEventTypeWarning : kCydiaProgressEventTypeError)] forTask:title];
3711
3712 SEL repair(NULL);
3713 if (false);
3714 else if (error == "dpkg was interrupted, you must manually run 'dpkg --configure -a' to correct the problem. ")
3715 repair = @selector(configure);
3716 //else if (error == "The package lists or status file could not be parsed or opened.")
3717 // repair = @selector(update);
3718 // else if (error == "Could not get lock /var/lib/dpkg/lock - open (35 Resource temporarily unavailable)")
3719 // else if (error == "Could not open lock file /var/lib/dpkg/lock - open (13 Permission denied)")
3720 // else if (error == "Malformed Status line")
3721 // else if (error == "The list of sources could not be read.")
3722
3723 if (repair != NULL) {
3724 _error->Discard();
3725 [delegate_ repairWithSelector:repair];
3726 goto open;
3727 }
3728 }
3729
3730 return;
3731 } else if ([self popErrorWithTitle:title forOperation:true])
3732 return;
3733 _trace();
3734
3735 unlink("/tmp/cydia.chk");
3736
3737 now_ = [[NSDate date] timeIntervalSince1970];
3738
3739 policy_ = new pkgDepCache::Policy();
3740 records_ = new pkgRecords(cache_);
3741 resolver_ = new pkgProblemResolver(cache_);
3742 fetcher_ = new pkgAcquire(&status_);
3743 lock_ = NULL;
3744
3745 if (cache_->DelCount() != 0 || cache_->InstCount() != 0) {
3746 [delegate_ addProgressEventOnMainThread:[CydiaProgressEvent eventWithMessage:UCLocalize("COUNTS_NONZERO_EX") ofType:kCydiaProgressEventTypeError] forTask:title];
3747 return;
3748 }
3749
3750 _profile(reloadDataWithInvocation$pkgApplyStatus)
3751 if ([self popErrorWithTitle:title forOperation:pkgApplyStatus(cache_)])
3752 return;
3753 _end
3754
3755 if (cache_->BrokenCount() != 0) {
3756 _profile(pkgApplyStatus$pkgFixBroken)
3757 if ([self popErrorWithTitle:title forOperation:pkgFixBroken(cache_)])
3758 return;
3759 _end
3760
3761 if (cache_->BrokenCount() != 0) {
3762 [delegate_ addProgressEventOnMainThread:[CydiaProgressEvent eventWithMessage:UCLocalize("STILL_BROKEN_EX") ofType:kCydiaProgressEventTypeError] forTask:title];
3763 return;
3764 }
3765
3766 _profile(pkgApplyStatus$pkgMinimizeUpgrade)
3767 if ([self popErrorWithTitle:title forOperation:pkgMinimizeUpgrade(cache_)])
3768 return;
3769 _end
3770 }
3771
3772 for (Source *object in (id) sourceList_) {
3773 metaIndex *source([object metaIndex]);
3774 std::vector<pkgIndexFile *> *indices = source->GetIndexFiles();
3775 for (std::vector<pkgIndexFile *>::const_iterator index = indices->begin(); index != indices->end(); ++index)
3776 // XXX: this could be more intelligent
3777 if (dynamic_cast<debPackagesIndex *>(*index) != NULL) {
3778 pkgCache::PkgFileIterator cached((*index)->FindInCache(cache_));
3779 if (!cached.end())
3780 sourceMap_[cached->ID] = object;
3781 }
3782 }
3783
3784 {
3785 size_t capacity(MetaFile_->active_);
3786 if (capacity == 0)
3787 capacity = 128*1024;
3788 else
3789 capacity += 1024;
3790
3791 std::vector<Package *> packages;
3792 packages.reserve(capacity);
3793 size_t lost(0);
3794
3795 size_t last(0);
3796 _profile(reloadDataWithInvocation$packageWithIterator)
3797 for (pkgCache::PkgIterator iterator = cache_->PkgBegin(); !iterator.end(); ++iterator)
3798 if (Package *package = [Package newPackageWithIterator:iterator withZone:zone_ inPool:&pool_ database:self]) {
3799 if (unsigned index = package.metadata->index_) {
3800 --index;
3801 if (packages.size() == index) {
3802 packages.push_back(package);
3803 } else if (packages.size() <= index) {
3804 packages.resize(index + 1, nil);
3805 packages[index] = package;
3806 continue;
3807 } else {
3808 std::swap(package, packages[index]);
3809 if (package != nil) {
3810 if (package.metadata->index_ == index + 1)
3811 ++lost;
3812 goto lost;
3813 }
3814 if (last != index)
3815 continue;
3816 }
3817 } else {
3818 ++lost;
3819 lost: if (last == packages.size())
3820 packages.push_back(package);
3821 else
3822 packages[last] = package;
3823 ++last;
3824 }
3825
3826 for (; last != packages.size(); ++last)
3827 if (packages[last] == nil)
3828 break;
3829 }
3830 _end
3831
3832 for (size_t next(last + 1); last != packages.size(); ++last, ++next) {
3833 while (true) {
3834 if (next == packages.size())
3835 goto done;
3836 if (packages[next] != nil)
3837 break;
3838 ++next;
3839 }
3840
3841 std::swap(packages[last], packages[next]);
3842 } done:;
3843
3844 packages.resize(last);
3845
3846 if (lost > 128) {
3847 NSLog(@"lost = %zu", lost);
3848
3849 _profile(reloadDataWithInvocation$radix$8)
3850 CYRadixSortUsingFunction(packages.data(), packages.size(), reinterpret_cast<MenesRadixSortFunction>(&PackagePrefixRadix), reinterpret_cast<void *>(8));
3851 _end
3852
3853 _profile(reloadDataWithInvocation$radix$4)
3854 CYRadixSortUsingFunction(packages.data(), packages.size(), reinterpret_cast<MenesRadixSortFunction>(&PackagePrefixRadix), reinterpret_cast<void *>(4));
3855 _end
3856
3857 _profile(reloadDataWithInvocation$radix$0)
3858 CYRadixSortUsingFunction(packages.data(), packages.size(), reinterpret_cast<MenesRadixSortFunction>(&PackagePrefixRadix), reinterpret_cast<void *>(0));
3859 _end
3860 }
3861
3862 _profile(reloadDataWithInvocation$insertion)
3863 CYArrayInsertionSortValues(packages.data(), packages.size(), &PackageNameCompare, NULL);
3864 _end
3865
3866 packages_ = [[[NSArray alloc] initWithObjects:packages.data() count:packages.size()] autorelease];
3867
3868 /*_profile(reloadDataWithInvocation$CFQSortArray)
3869 CFQSortArray(&packages.front(), packages.size(), sizeof(packages.front()), reinterpret_cast<CFComparatorFunction>(&PackageNameCompare_), NULL);
3870 _end*/
3871
3872 /*_profile(reloadDataWithInvocation$stdsort)
3873 std::sort(packages.begin(), packages.end(), PackageNameOrdering());
3874 _end*/
3875
3876 /*_profile(reloadDataWithInvocation$CFArraySortValues)
3877 CFArraySortValues((CFMutableArrayRef) packages_, CFRangeMake(0, [packages_ count]), reinterpret_cast<CFComparatorFunction>(&PackageNameCompare), NULL);
3878 _end*/
3879
3880 /*_profile(reloadDataWithInvocation$sortUsingFunction)
3881 [packages_ sortUsingFunction:reinterpret_cast<NSComparisonResult (*)(id, id, void *)>(&PackageNameCompare) context:NULL];
3882 _end*/
3883
3884 MetaFile_->active_ = packages.size();
3885 for (size_t index(0), count(packages.size()); index != count; ++index) {
3886 auto package(packages[index]);
3887 [package setIndex:index];
3888 [package release];
3889 }
3890 }
3891} }
3892
3893- (void) clear {
3894@synchronized (self) {
3895 delete resolver_;
3896 resolver_ = new pkgProblemResolver(cache_);
3897
3898 for (pkgCache::PkgIterator iterator(cache_->PkgBegin()); !iterator.end(); ++iterator)
3899 if (!cache_[iterator].Keep())
3900 cache_->MarkKeep(iterator, false);
3901 else if ((cache_[iterator].iFlags & pkgDepCache::ReInstall) != 0)
3902 cache_->SetReInstall(iterator, false);
3903} }
3904
3905- (void) configure {
3906 NSString *dpkg = [NSString stringWithFormat:@"/usr/libexec/cydo --configure -a --status-fd %u", statusfd_];
3907 _trace();
3908 system([dpkg UTF8String]);
3909 _trace();
3910}
3911
3912- (bool) clean {
3913@synchronized (self) {
3914 // XXX: I don't remember this condition
3915 if (lock_ != NULL)
3916 return false;
3917
3918 FileFd Lock;
3919 Lock.Fd(GetLock(_config->FindDir("Dir::Cache::Archives") + "lock"));
3920
3921 NSString *title(UCLocalize("CLEAN_ARCHIVES"));
3922
3923 if ([self popErrorWithTitle:title])
3924 return false;
3925
3926 pkgAcquire fetcher;
3927 fetcher.Clean(_config->FindDir("Dir::Cache::Archives"));
3928
3929 CydiaLogCleaner cleaner;
3930 if ([self popErrorWithTitle:title forOperation:cleaner.Go(_config->FindDir("Dir::Cache::Archives") + "partial/", cache_)])
3931 return false;
3932
3933 return true;
3934} }
3935
3936- (bool) prepare {
3937 fetcher_->Shutdown();
3938
3939 pkgRecords records(cache_);
3940
3941 lock_ = new FileFd();
3942 lock_->Fd(GetLock(_config->FindDir("Dir::Cache::Archives") + "lock"));
3943
3944 NSString *title(UCLocalize("PREPARE_ARCHIVES"));
3945
3946 if ([self popErrorWithTitle:title])
3947 return false;
3948
3949 pkgSourceList list;
3950 if ([self popErrorWithTitle:title forReadList:list])
3951 return false;
3952
3953 manager_ = (_system->CreatePM(cache_));
3954 if ([self popErrorWithTitle:title forOperation:manager_->GetArchives(fetcher_, &list, &records)])
3955 return false;
3956
3957 return true;
3958}
3959
3960- (void) perform {
3961 bool substrate(RestartSubstrate_);
3962 RestartSubstrate_ = false;
3963
3964 NSString *title(UCLocalize("PERFORM_SELECTIONS"));
3965
3966 NSMutableArray *before = [NSMutableArray arrayWithCapacity:16]; {
3967 pkgSourceList list;
3968 if ([self popErrorWithTitle:title forReadList:list])
3969 return;
3970 for (pkgSourceList::const_iterator source = list.begin(); source != list.end(); ++source)
3971 [before addObject:[NSString stringWithUTF8String:(*source)->GetURI().c_str()]];
3972 }
3973
3974 [delegate_ performSelectorOnMainThread:@selector(retainNetworkActivityIndicator) withObject:nil waitUntilDone:YES];
3975
3976 if (fetcher_->Run(PulseInterval_) != pkgAcquire::Continue) {
3977 _trace();
3978 [self popErrorWithTitle:title];
3979 return;
3980 }
3981
3982 bool failed = false;
3983 for (pkgAcquire::ItemIterator item = fetcher_->ItemsBegin(); item != fetcher_->ItemsEnd(); item++) {
3984 if ((*item)->Status == pkgAcquire::Item::StatDone && (*item)->Complete)
3985 continue;
3986 if ((*item)->Status == pkgAcquire::Item::StatIdle)
3987 continue;
3988
3989 std::string uri = (*item)->DescURI();
3990 std::string error = (*item)->ErrorText;
3991
3992 lprintf("pAf:%s:%s\n", uri.c_str(), error.c_str());
3993 failed = true;
3994
3995 CydiaProgressEvent *event([CydiaProgressEvent eventWithMessage:[NSString stringWithUTF8String:error.c_str()] ofType:kCydiaProgressEventTypeError]);
3996 [delegate_ addProgressEventOnMainThread:event forTask:title];
3997 }
3998
3999 [delegate_ performSelectorOnMainThread:@selector(releaseNetworkActivityIndicator) withObject:nil waitUntilDone:YES];
4000
4001 if (failed) {
4002 _trace();
4003 return;
4004 }
4005
4006 if (substrate)
4007 RestartSubstrate_ = true;
4008
4009 if (![delock_ isEqual:GetStatusDate()]) {
4010 [delegate_ addProgressEventOnMainThread:[CydiaProgressEvent eventWithMessage:UCLocalize("DPKG_LOCKED") ofType:kCydiaProgressEventTypeError] forTask:title];
4011 return;
4012 }
4013
4014 delock_ = nil;
4015
4016 pkgPackageManager::OrderResult result(manager_->DoInstall(statusfd_));
4017
4018 NSString *oextended(@"/var/lib/apt/extended_states");
4019 NSString *nextended(Cache("extended_states"));
4020
4021 struct stat info;
4022 if (stat([nextended UTF8String], &info) != -1 && (info.st_mode & S_IFMT) == S_IFREG)
4023 system([[NSString stringWithFormat:@"/usr/libexec/cydia/cydo /bin/cp --remove-destination %@ %@", ShellEscape(nextended), ShellEscape(oextended)] UTF8String]);
4024
4025 unlink([nextended UTF8String]);
4026 symlink([oextended UTF8String], [nextended UTF8String]);
4027
4028 if ([self popErrorWithTitle:title])
4029 return;
4030
4031 if (result == pkgPackageManager::Failed) {
4032 _trace();
4033 return;
4034 }
4035
4036 if (result != pkgPackageManager::Completed) {
4037 _trace();
4038 return;
4039 }
4040
4041 NSMutableArray *after = [NSMutableArray arrayWithCapacity:16]; {
4042 pkgSourceList list;
4043 if ([self popErrorWithTitle:title forReadList:list])
4044 return;
4045 for (pkgSourceList::const_iterator source = list.begin(); source != list.end(); ++source)
4046 [after addObject:[NSString stringWithUTF8String:(*source)->GetURI().c_str()]];
4047 }
4048
4049 if (![before isEqualToArray:after])
4050 [self update];
4051}
4052
4053- (bool) delocked {
4054 return ![delock_ isEqual:GetStatusDate()];
4055}
4056
4057- (bool) upgrade {
4058 NSString *title(UCLocalize("UPGRADE"));
4059 if ([self popErrorWithTitle:title forOperation:pkgDistUpgrade(cache_)])
4060 return false;
4061 return true;
4062}
4063
4064- (void) update {
4065 [self updateWithStatus:status_];
4066}
4067
4068- (void) updateWithStatus:(CancelStatus &)status {
4069 NSString *title(UCLocalize("REFRESHING_DATA"));
4070
4071 pkgSourceList list;
4072 if ([self popErrorWithTitle:title forReadList:list])
4073 return;
4074
4075 FileFd lock;
4076 lock.Fd(GetLock(_config->FindDir("Dir::State::Lists") + "lock"));
4077 if ([self popErrorWithTitle:title])
4078 return;
4079
4080 [delegate_ performSelectorOnMainThread:@selector(retainNetworkActivityIndicator) withObject:nil waitUntilDone:YES];
4081
4082 bool success(ListUpdate(status, list, PulseInterval_));
4083 if (status.WasCancelled())
4084 _error->Discard();
4085 else {
4086 [self popErrorWithTitle:title forOperation:success];
4087
4088 [[NSDictionary dictionaryWithObjectsAndKeys:
4089 [NSDate date], @"LastUpdate",
4090 nil] writeToFile:@ CacheState_ atomically:YES];
4091 }
4092
4093 [delegate_ performSelectorOnMainThread:@selector(releaseNetworkActivityIndicator) withObject:nil waitUntilDone:YES];
4094}
4095
4096- (void) setDelegate:(NSObject<DatabaseDelegate> *)delegate {
4097 delegate_ = delegate;
4098}
4099
4100- (void) setProgressDelegate:(NSObject<ProgressDelegate> *)delegate {
4101 progress_ = delegate;
4102 status_.setDelegate(delegate);
4103}
4104
4105- (NSObject<ProgressDelegate> *) progressDelegate {
4106 return progress_;
4107}
4108
4109- (Source *) getSource:(pkgCache::PkgFileIterator)file {
4110 SourceMap::const_iterator i(sourceMap_.find(file->ID));
4111 return i == sourceMap_.end() ? nil : i->second;
4112}
4113
4114- (void) setFetch:(bool)fetch forURI:(const char *)uri {
4115 for (Source *source in (id) sourceList_)
4116 [source setFetch:fetch forURI:uri];
4117}
4118
4119- (void) resetFetch {
4120 for (Source *source in (id) sourceList_)
4121 [source resetFetch];
4122}
4123
4124- (NSString *) mappedSectionForPointer:(const char *)section {
4125 _H<NSString> *mapped;
4126
4127 _profile(Database$mappedSectionForPointer$Cache)
4128 mapped = &sections_[section];
4129 _end
4130
4131 if (*mapped == NULL) {
4132 size_t length(strlen(section));
4133 char spaced[length + 1];
4134
4135 _profile(Database$mappedSectionForPointer$Replace)
4136 for (size_t index(0); index != length; ++index)
4137 spaced[index] = section[index] == '_' ? ' ' : section[index];
4138 spaced[length] = '\0';
4139 _end
4140
4141 NSString *string;
4142
4143 _profile(Database$mappedSectionForPointer$stringWithUTF8String)
4144 string = [NSString stringWithUTF8String:spaced];
4145 _end
4146
4147 _profile(Database$mappedSectionForPointer$Map)
4148 string = [SectionMap_ objectForKey:string] ?: string;
4149 _end
4150
4151 *mapped = string;
4152 } return *mapped;
4153}
4154
4155@end
4156/* }}} */
4157
4158@interface CydiaObject : CyteObject {
4159 _transient id delegate_;
4160}
4161
4162@end
4163
4164@interface CydiaWebViewController : CyteWebViewController {
4165 _H<CydiaObject> cydia_;
4166}
4167
4168+ (NSURLRequest *) requestWithHeaders:(NSURLRequest *)request;
4169+ (void) didClearWindowObject:(WebScriptObject *)window forFrame:(WebFrame *)frame withCydia:(CydiaObject *)cydia;
4170- (void) setDelegate:(id)delegate;
4171
4172@end
4173
4174/* Web Scripting {{{ */
4175@implementation CydiaObject
4176
4177- (void) setDelegate:(id)delegate {
4178 delegate_ = delegate;
4179}
4180
4181- (NSArray *) attributeKeys {
4182 return [[NSArray arrayWithObjects:
4183 @"cells",
4184 @"device",
4185 @"mcc",
4186 @"mnc",
4187 @"operator",
4188 @"role",
4189 @"version",
4190 nil] arrayByAddingObjectsFromArray:[super attributeKeys]];
4191}
4192
4193- (NSString *) version {
4194 return Cydia_;
4195}
4196
4197- (NSString *) device {
4198 return UniqueIdentifier();
4199}
4200
4201- (NSArray *) cells {
4202 auto *$_CTServerConnectionCreate(reinterpret_cast<id (*)(void *, void *, void *)>(dlsym(RTLD_DEFAULT, "_CTServerConnectionCreate")));
4203 if ($_CTServerConnectionCreate == NULL)
4204 return nil;
4205
4206 struct CTResult { int flag; int error; };
4207 auto *$_CTServerConnectionCellMonitorCopyCellInfo(reinterpret_cast<CTResult (*)(CFTypeRef, void *, CFArrayRef *)>(dlsym(RTLD_DEFAULT, "_CTServerConnectionCellMonitorCopyCellInfo")));
4208 if ($_CTServerConnectionCellMonitorCopyCellInfo == NULL)
4209 return nil;
4210
4211 _H<const void> connection($_CTServerConnectionCreate(NULL, NULL, NULL), true);
4212 if (connection == nil)
4213 return nil;
4214
4215 int count(0);
4216 CFArrayRef cells(NULL);
4217 auto result($_CTServerConnectionCellMonitorCopyCellInfo(connection, &count, &cells));
4218 if (result.flag != 0)
4219 return nil;
4220
4221 return [(NSArray *) cells autorelease];
4222}
4223
4224- (NSString *) mcc {
4225 if (CFStringRef (*$CTSIMSupportCopyMobileSubscriberCountryCode)(CFAllocatorRef) = reinterpret_cast<CFStringRef (*)(CFAllocatorRef)>(dlsym(RTLD_DEFAULT, "CTSIMSupportCopyMobileSubscriberCountryCode")))
4226 return [(NSString *) (*$CTSIMSupportCopyMobileSubscriberCountryCode)(kCFAllocatorDefault) autorelease];
4227 return nil;
4228}
4229
4230- (NSString *) mnc {
4231 if (CFStringRef (*$CTSIMSupportCopyMobileSubscriberNetworkCode)(CFAllocatorRef) = reinterpret_cast<CFStringRef (*)(CFAllocatorRef)>(dlsym(RTLD_DEFAULT, "CTSIMSupportCopyMobileSubscriberNetworkCode")))
4232 return [(NSString *) (*$CTSIMSupportCopyMobileSubscriberNetworkCode)(kCFAllocatorDefault) autorelease];
4233 return nil;
4234}
4235
4236- (NSString *) operator {
4237 if (CFStringRef (*$CTRegistrationCopyOperatorName)(CFAllocatorRef) = reinterpret_cast<CFStringRef (*)(CFAllocatorRef)>(dlsym(RTLD_DEFAULT, "CTRegistrationCopyOperatorName")))
4238 return [(NSString *) (*$CTRegistrationCopyOperatorName)(kCFAllocatorDefault) autorelease];
4239 return nil;
4240}
4241
4242- (NSString *) role {
4243 return (id) [NSNull null];
4244}
4245
4246+ (NSString *) webScriptNameForSelector:(SEL)selector {
4247 if (false);
4248 else if (selector == @selector(addBridgedHost:))
4249 return @"addBridgedHost";
4250 else if (selector == @selector(addInsecureHost:))
4251 return @"addInsecureHost";
4252 else if (selector == @selector(addSource:::))
4253 return @"addSource";
4254 else if (selector == @selector(addTrivialSource:))
4255 return @"addTrivialSource";
4256 else if (selector == @selector(du:))
4257 return @"du";
4258 else if (selector == @selector(getAllSources))
4259 return @"getAllSources";
4260 else if (selector == @selector(getApplicationInfo:value:))
4261 return @"getApplicationInfoValue";
4262 else if (selector == @selector(getDisplayIdentifiers))
4263 return @"getDisplayIdentifiers";
4264 else if (selector == @selector(getLocalizedNameForDisplayIdentifier:))
4265 return @"getLocalizedNameForDisplayIdentifier";
4266 else if (selector == @selector(getInstalledPackages))
4267 return @"getInstalledPackages";
4268 else if (selector == @selector(getPackageById:))
4269 return @"getPackageById";
4270 else if (selector == @selector(getMetadataKeys))
4271 return @"getMetadataKeys";
4272 else if (selector == @selector(getMetadataValue:))
4273 return @"getMetadataValue";
4274 else if (selector == @selector(getSessionValue:))
4275 return @"getSessionValue";
4276 else if (selector == @selector(installPackages:))
4277 return @"installPackages";
4278 else if (selector == @selector(refreshSources))
4279 return @"refreshSources";
4280 else if (selector == @selector(saveConfig))
4281 return @"saveConfig";
4282 else if (selector == @selector(setMetadataValue::))
4283 return @"setMetadataValue";
4284 else if (selector == @selector(setSessionValue::))
4285 return @"setSessionValue";
4286 else if (selector == @selector(substitutePackageNames:))
4287 return @"substitutePackageNames";
4288 else if (selector == @selector(setToken:))
4289 return @"setToken";
4290 else
4291 return nil;
4292}
4293
4294+ (BOOL) isSelectorExcludedFromWebScript:(SEL)selector {
4295 return [self webScriptNameForSelector:selector] == nil;
4296}
4297
4298- (NSDictionary *) getApplicationInfo:(NSString *)display value:(NSString *)key {
4299 char path[1024];
4300 if (SBBundlePathForDisplayIdentifier(SBSSpringBoardServerPort(), [display UTF8String], path) != 0)
4301 return (id) [NSNull null];
4302 NSDictionary *info([NSDictionary dictionaryWithContentsOfFile:[[NSString stringWithUTF8String:path] stringByAppendingString:@"/Info.plist"]]);
4303 if (info == nil)
4304 return (id) [NSNull null];
4305 return [info objectForKey:key];
4306}
4307
4308- (NSArray *) getDisplayIdentifiers {
4309 return SBSCopyApplicationDisplayIdentifiers(false, false);
4310}
4311
4312- (NSString *) getLocalizedNameForDisplayIdentifier:(NSString *)identifier {
4313 return [SBSCopyLocalizedApplicationNameForDisplayIdentifier(identifier) autorelease] ?: (id) [NSNull null];
4314}
4315
4316- (NSNumber *) getKernelNumber:(NSString *)name {
4317 const char *string([name UTF8String]);
4318
4319 size_t size;
4320 if (sysctlbyname(string, NULL, &size, NULL, 0) == -1)
4321 return (id) [NSNull null];
4322
4323 if (size != sizeof(int))
4324 return (id) [NSNull null];
4325
4326 int value;
4327 if (sysctlbyname(string, &value, &size, NULL, 0) == -1)
4328 return (id) [NSNull null];
4329
4330 return [NSNumber numberWithInt:value];
4331}
4332
4333- (NSArray *) getMetadataKeys {
4334@synchronized (Values_) {
4335 return [Values_ allKeys];
4336} }
4337
4338- (id) getMetadataValue:(NSString *)key {
4339@synchronized (Values_) {
4340 return [Values_ objectForKey:key];
4341} }
4342
4343- (void) setMetadataValue:(NSString *)key :(NSString *)value {
4344@synchronized (Values_) {
4345 if (value == nil || value == (id) [WebUndefined undefined] || value == (id) [NSNull null])
4346 [Values_ removeObjectForKey:key];
4347 else
4348 [Values_ setObject:value forKey:key];
4349} }
4350
4351- (id) getSessionValue:(NSString *)key {
4352@synchronized (SessionData_) {
4353 return [SessionData_ objectForKey:key];
4354} }
4355
4356- (void) setSessionValue:(NSString *)key :(NSString *)value {
4357@synchronized (SessionData_) {
4358 if (value == (id) [WebUndefined undefined])
4359 [SessionData_ removeObjectForKey:key];
4360 else
4361 [SessionData_ setObject:value forKey:key];
4362} }
4363
4364- (void) addBridgedHost:(NSString *)host {
4365@synchronized (BridgedHosts_) {
4366 [BridgedHosts_ addObject:host];
4367} }
4368
4369- (void) addInsecureHost:(NSString *)host {
4370@synchronized (InsecureHosts_) {
4371 [InsecureHosts_ addObject:host];
4372} }
4373
4374- (void) addSource:(NSString *)href :(NSString *)distribution :(WebScriptObject *)sections {
4375 NSMutableArray *array([NSMutableArray arrayWithCapacity:[sections count]]);
4376
4377 for (NSString *section in sections)
4378 [array addObject:section];
4379
4380 [delegate_ performSelectorOnMainThread:@selector(addSource:) withObject:[NSMutableDictionary dictionaryWithObjectsAndKeys:
4381 @"deb", @"Type",
4382 href, @"URI",
4383 distribution, @"Distribution",
4384 array, @"Sections",
4385 nil] waitUntilDone:NO];
4386}
4387
4388- (BOOL) addTrivialSource:(NSString *)href {
4389 href = VerifySource(href);
4390 if (href == nil)
4391 return NO;
4392 [delegate_ performSelectorOnMainThread:@selector(addTrivialSource:) withObject:href waitUntilDone:NO];
4393 return YES;
4394}
4395
4396- (void) refreshSources {
4397 [delegate_ performSelectorOnMainThread:@selector(syncData) withObject:nil waitUntilDone:NO];
4398}
4399
4400- (void) saveConfig {
4401 [delegate_ performSelectorOnMainThread:@selector(_saveConfig) withObject:nil waitUntilDone:NO];
4402}
4403
4404- (NSArray *) getAllSources {
4405 return [[Database sharedInstance] sources];
4406}
4407
4408- (NSArray *) getInstalledPackages {
4409 Database *database([Database sharedInstance]);
4410@synchronized (database) {
4411 NSArray *packages([database packages]);
4412 NSMutableArray *installed([NSMutableArray arrayWithCapacity:1024]);
4413 for (Package *package in packages)
4414 if (![package uninstalled])
4415 [installed addObject:package];
4416 return installed;
4417} }
4418
4419- (Package *) getPackageById:(NSString *)id {
4420 if (Package *package = [[Database sharedInstance] packageWithName:id]) {
4421 [package parse];
4422 return package;
4423 } else
4424 return (Package *) [NSNull null];
4425}
4426
4427- (NSNumber *) du:(NSString *)path {
4428 NSNumber *value(nil);
4429
4430 FILE *du(popen([[NSString stringWithFormat:@"/usr/libexec/cydia/cydo /usr/libexec/cydia/du -ks %@", ShellEscape(path)] UTF8String], "r"));
4431 if (du != NULL) {
4432 char line[1024];
4433 while (fgets(line, sizeof(line), du) != NULL) {
4434 size_t length(strlen(line));
4435 while (length != 0 && line[length - 1] == '\n')
4436 line[--length] = '\0';
4437 if (char *tab = strchr(line, '\t')) {
4438 *tab = '\0';
4439 value = [NSNumber numberWithUnsignedLong:strtoul(line, NULL, 0)];
4440 }
4441 }
4442 pclose(du);
4443 }
4444
4445 return value;
4446}
4447
4448- (void) installPackages:(NSArray *)packages {
4449 [delegate_ performSelectorOnMainThread:@selector(installPackages:) withObject:packages waitUntilDone:NO];
4450}
4451
4452- (NSString *) substitutePackageNames:(NSString *)message {
4453 auto database([Database sharedInstance]);
4454
4455 // XXX: this check is less racy than you'd expect, but this entire concept is a little awkward
4456 if (![database hasPackages])
4457 return message;
4458
4459 NSMutableArray *words([[[message componentsSeparatedByString:@" "] mutableCopy] autorelease]);
4460 for (size_t i(0), e([words count]); i != e; ++i) {
4461 NSString *word([words objectAtIndex:i]);
4462 if (Package *package = [database packageWithName:word])
4463 [words replaceObjectAtIndex:i withObject:[package name]];
4464 }
4465
4466 return [words componentsJoinedByString:@" "];
4467}
4468
4469- (void) setToken:(NSString *)token {
4470 // XXX: the website expects this :/
4471}
4472
4473@end
4474/* }}} */
4475
4476@interface NSURL (CydiaSecure)
4477@end
4478
4479@implementation NSURL (CydiaSecure)
4480
4481- (bool) isCydiaSecure {
4482 if ([[[self scheme] lowercaseString] isEqualToString:@"https"])
4483 return true;
4484
4485 @synchronized (InsecureHosts_) {
4486 if ([InsecureHosts_ containsObject:[self host]])
4487 return true;
4488 }
4489
4490 return false;
4491}
4492
4493@end
4494
4495/* Cydia Browser Controller {{{ */
4496@implementation CydiaWebViewController
4497
4498- (NSURL *) navigationURL {
4499 if (NSURLRequest *request = self.request)
4500 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://url/%@", [[request URL] absoluteString]]];
4501 else
4502 return nil;
4503}
4504
4505- (void) webView:(WebView *)view didClearWindowObject:(WebScriptObject *)window forFrame:(WebFrame *)frame {
4506 [super webView:view didClearWindowObject:window forFrame:frame];
4507 [CydiaWebViewController didClearWindowObject:window forFrame:frame withCydia:cydia_];
4508}
4509
4510+ (void) didClearWindowObject:(WebScriptObject *)window forFrame:(WebFrame *)frame withCydia:(CydiaObject *)cydia {
4511 WebDataSource *source([frame dataSource]);
4512 NSURLResponse *response([source response]);
4513 NSURL *url([response URL]);
4514 NSString *scheme([[url scheme] lowercaseString]);
4515
4516 bool bridged(false);
4517
4518 @synchronized (BridgedHosts_) {
4519 if ([scheme isEqualToString:@"file"])
4520 bridged = true;
4521 else if ([scheme isEqualToString:@"https"])
4522 if ([BridgedHosts_ containsObject:[url host]])
4523 bridged = true;
4524 }
4525
4526 if (bridged)
4527 [window setValue:cydia forKey:@"cydia"];
4528}
4529
4530- (void) _setupMail:(MFMailComposeViewController *)controller {
4531 [controller addAttachmentData:[NSData dataWithContentsOfFile:@"/tmp/cydia.log"] mimeType:@"text/plain" fileName:@"cydia.log"];
4532
4533 system("/usr/bin/dpkg -l >/tmp/dpkgl.log");
4534 [controller addAttachmentData:[NSData dataWithContentsOfFile:@"/tmp/dpkgl.log"] mimeType:@"text/plain" fileName:@"dpkgl.log"];
4535}
4536
4537- (NSURLRequest *) webView:(WebView *)view resource:(id)resource willSendRequest:(NSURLRequest *)request redirectResponse:(NSURLResponse *)response fromDataSource:(WebDataSource *)source {
4538 return [CydiaWebViewController requestWithHeaders:[super webView:view resource:resource willSendRequest:request redirectResponse:response fromDataSource:source]];
4539}
4540
4541- (NSURLRequest *) webThreadWebView:(WebView *)view resource:(id)resource willSendRequest:(NSURLRequest *)request redirectResponse:(NSURLResponse *)response fromDataSource:(WebDataSource *)source {
4542 return [CydiaWebViewController requestWithHeaders:[super webThreadWebView:view resource:resource willSendRequest:request redirectResponse:response fromDataSource:source]];
4543}
4544
4545+ (NSURLRequest *) requestWithHeaders:(NSURLRequest *)request {
4546 NSMutableURLRequest *copy([[request mutableCopy] autorelease]);
4547
4548 NSURL *url([copy URL]);
4549 NSString *href([url absoluteString]);
4550 NSString *host([url host]);
4551
4552 if ([href hasPrefix:@"https://cydia.saurik.com/TSS/"]) {
4553 if (NSString *agent = [copy valueForHTTPHeaderField:@"X-User-Agent"]) {
4554 [copy setValue:agent forHTTPHeaderField:@"User-Agent"];
4555 [copy setValue:nil forHTTPHeaderField:@"X-User-Agent"];
4556 }
4557
4558 [copy setValue:nil forHTTPHeaderField:@"Referer"];
4559 [copy setValue:nil forHTTPHeaderField:@"Origin"];
4560
4561 [copy setURL:[NSURL URLWithString:[@"http://gs.apple.com/TSS/" stringByAppendingString:[href substringFromIndex:29]]]];
4562 return copy;
4563 }
4564
4565 if ([copy valueForHTTPHeaderField:@"X-Cydia-Cf"] == nil)
4566 [copy setValue:[NSString stringWithFormat:@"%.2f", kCFCoreFoundationVersionNumber] forHTTPHeaderField:@"X-Cydia-Cf"];
4567 if (Machine_ != NULL && [copy valueForHTTPHeaderField:@"X-Machine"] == nil)
4568 [copy setValue:[NSString stringWithUTF8String:Machine_] forHTTPHeaderField:@"X-Machine"];
4569
4570 bool bridged; @synchronized (BridgedHosts_) {
4571 bridged = [BridgedHosts_ containsObject:host];
4572 }
4573
4574 if ([url isCydiaSecure] && bridged && UniqueID_ != nil && [copy valueForHTTPHeaderField:@"X-Cydia-Id"] == nil)
4575 [copy setValue:UniqueID_ forHTTPHeaderField:@"X-Cydia-Id"];
4576
4577 return copy;
4578}
4579
4580- (void) setDelegate:(id)delegate {
4581 [super setDelegate:delegate];
4582 [cydia_ setDelegate:delegate];
4583}
4584
4585- (id) init {
4586 if ((self = [super initWithWidth:0 ofClass:[CydiaWebViewController class]]) != nil) {
4587 cydia_ = [[[CydiaObject alloc] initWithDelegate:self.indirect] autorelease];
4588 } return self;
4589}
4590
4591@end
4592
4593@interface AppCacheController : CydiaWebViewController {
4594}
4595
4596@end
4597
4598@implementation AppCacheController
4599
4600- (void) didReceiveMemoryWarning {
4601 // XXX: this doesn't work
4602}
4603
4604- (bool) retainsNetworkActivityIndicator {
4605 return false;
4606}
4607
4608@end
4609/* }}} */
4610
4611/* Confirmation Controller {{{ */
4612bool DepSubstrate(const pkgCache::VerIterator &iterator) {
4613 if (!iterator.end())
4614 for (pkgCache::DepIterator dep(iterator.DependsList()); !dep.end(); ++dep) {
4615 if (dep->Type != pkgCache::Dep::Depends && dep->Type != pkgCache::Dep::PreDepends)
4616 continue;
4617 pkgCache::PkgIterator package(dep.TargetPkg());
4618 if (package.end())
4619 continue;
4620 if (strcmp(package.Name(), "mobilesubstrate") == 0)
4621 return true;
4622 }
4623
4624 return false;
4625}
4626
4627@protocol ConfirmationControllerDelegate
4628- (void) cancelAndClear:(bool)clear;
4629- (void) confirmWithNavigationController:(UINavigationController *)navigation;
4630- (void) queue;
4631@end
4632
4633@interface ConfirmationController : CydiaWebViewController {
4634 _transient Database *database_;
4635
4636 _H<UIAlertView> essential_;
4637
4638 _H<NSDictionary> changes_;
4639 _H<NSMutableArray> issues_;
4640 _H<NSDictionary> sizes_;
4641
4642 BOOL substrate_;
4643}
4644
4645- (id) initWithDatabase:(Database *)database;
4646
4647@end
4648
4649@implementation ConfirmationController
4650
4651- (void) complete {
4652 if (substrate_)
4653 RestartSubstrate_ = true;
4654 [self.delegate confirmWithNavigationController:[self navigationController]];
4655}
4656
4657- (void) alertView:(UIAlertView *)alert clickedButtonAtIndex:(NSInteger)button {
4658 NSString *context([alert context]);
4659
4660 if ([context isEqualToString:@"remove"]) {
4661 if (button == [alert cancelButtonIndex])
4662 [self _doContinue];
4663 else if (button == [alert firstOtherButtonIndex]) {
4664 [self performSelector:@selector(complete) withObject:nil afterDelay:0];
4665 }
4666
4667 [alert dismissWithClickedButtonIndex:-1 animated:YES];
4668 } else if ([context isEqualToString:@"unable"]) {
4669 [self dismissModalViewControllerAnimated:YES];
4670 [alert dismissWithClickedButtonIndex:-1 animated:YES];
4671 } else {
4672 [super alertView:alert clickedButtonAtIndex:button];
4673 }
4674}
4675
4676- (void) _doContinue {
4677 [self.delegate cancelAndClear:NO];
4678 [self dismissModalViewControllerAnimated:YES];
4679}
4680
4681- (id) invokeDefaultMethodWithArguments:(NSArray *)args {
4682 [self performSelectorOnMainThread:@selector(_doContinue) withObject:nil waitUntilDone:NO];
4683 return nil;
4684}
4685
4686- (void) webView:(WebView *)view didClearWindowObject:(WebScriptObject *)window forFrame:(WebFrame *)frame {
4687 [super webView:view didClearWindowObject:window forFrame:frame];
4688
4689 [window setValue:[[NSDictionary dictionaryWithObjectsAndKeys:
4690 (id) changes_, @"changes",
4691 (id) issues_, @"issues",
4692 (id) sizes_, @"sizes",
4693 self, @"queue",
4694 nil] Cydia$webScriptObjectInContext:window] forKey:@"cydiaConfirm"];
4695}
4696
4697- (id) initWithDatabase:(Database *)database {
4698 if ((self = [super init]) != nil) {
4699 database_ = database;
4700
4701 NSMutableArray *installs([NSMutableArray arrayWithCapacity:16]);
4702 NSMutableArray *reinstalls([NSMutableArray arrayWithCapacity:16]);
4703 NSMutableArray *upgrades([NSMutableArray arrayWithCapacity:16]);
4704 NSMutableArray *downgrades([NSMutableArray arrayWithCapacity:16]);
4705 NSMutableArray *removes([NSMutableArray arrayWithCapacity:16]);
4706
4707 bool remove(false);
4708
4709 pkgCacheFile &cache([database_ cache]);
4710 NSArray *packages([database_ packages]);
4711 pkgDepCache::Policy *policy([database_ policy]);
4712
4713 issues_ = [NSMutableArray arrayWithCapacity:4];
4714
4715 for (Package *package in packages) {
4716 pkgCache::PkgIterator iterator([package iterator]);
4717 NSString *name([package id]);
4718
4719 if ([package broken]) {
4720 NSMutableArray *reasons([NSMutableArray arrayWithCapacity:4]);
4721
4722 [issues_ addObject:[NSDictionary dictionaryWithObjectsAndKeys:
4723 name, @"package",
4724 reasons, @"reasons",
4725 nil]];
4726
4727 pkgCache::VerIterator ver(cache[iterator].InstVerIter(cache));
4728 if (ver.end())
4729 continue;
4730
4731 for (pkgCache::DepIterator dep(ver.DependsList()); !dep.end(); ) {
4732 pkgCache::DepIterator start;
4733 pkgCache::DepIterator end;
4734 dep.GlobOr(start, end); // ++dep
4735
4736 if (!cache->IsImportantDep(end))
4737 continue;
4738 if ((cache[end] & pkgDepCache::DepGInstall) != 0)
4739 continue;
4740
4741 NSMutableArray *clauses([NSMutableArray arrayWithCapacity:4]);
4742
4743 [reasons addObject:[NSDictionary dictionaryWithObjectsAndKeys:
4744 [NSString stringWithUTF8String:start.DepType()], @"relationship",
4745 clauses, @"clauses",
4746 nil]];
4747
4748 _forever {
4749 NSString *reason, *installed((NSString *) [WebUndefined undefined]);
4750
4751 pkgCache::PkgIterator target(start.TargetPkg());
4752 if (target->ProvidesList != 0)
4753 reason = @"missing";
4754 else {
4755 pkgCache::VerIterator ver(cache[target].InstVerIter(cache));
4756 if (!ver.end()) {
4757 reason = @"installed";
4758 installed = [NSString stringWithUTF8String:ver.VerStr()];
4759 } else if (!cache[target].CandidateVerIter(cache).end())
4760 reason = @"uninstalled";
4761 else if (target->ProvidesList == 0)
4762 reason = @"uninstallable";
4763 else
4764 reason = @"virtual";
4765 }
4766
4767 NSDictionary *version(start.TargetVer() == 0 ? (NSDictionary *) [NSNull null] : [NSDictionary dictionaryWithObjectsAndKeys:
4768 [NSString stringWithUTF8String:start.CompType()], @"operator",
4769 [NSString stringWithUTF8String:start.TargetVer()], @"value",
4770 nil]);
4771
4772 [clauses addObject:[NSDictionary dictionaryWithObjectsAndKeys:
4773 [NSString stringWithUTF8String:start.TargetPkg().Name()], @"package",
4774 version, @"version",
4775 reason, @"reason",
4776 installed, @"installed",
4777 nil]];
4778
4779 // yes, seriously. (wtf?)
4780 if (start == end)
4781 break;
4782 ++start;
4783 }
4784 }
4785 }
4786
4787 pkgDepCache::StateCache &state(cache[iterator]);
4788
4789 static RegEx special_r("(firmware|gsc\\..*|cy\\+.*)");
4790
4791 if (state.NewInstall())
4792 [installs addObject:name];
4793 // XXX: else if (state.Install())
4794 else if (!state.Delete() && (state.iFlags & pkgDepCache::ReInstall) == pkgDepCache::ReInstall)
4795 [reinstalls addObject:name];
4796 // XXX: move before previous if
4797 else if (state.Upgrade())
4798 [upgrades addObject:name];
4799 else if (state.Downgrade())
4800 [downgrades addObject:name];
4801 else if (!state.Delete())
4802 // XXX: _assert(state.Keep());
4803 continue;
4804 else if (special_r(name))
4805 [issues_ addObject:[NSDictionary dictionaryWithObjectsAndKeys:
4806 [NSNull null], @"package",
4807 [NSArray arrayWithObjects:
4808 [NSDictionary dictionaryWithObjectsAndKeys:
4809 @"Conflicts", @"relationship",
4810 [NSArray arrayWithObjects:
4811 [NSDictionary dictionaryWithObjectsAndKeys:
4812 name, @"package",
4813 [NSNull null], @"version",
4814 @"installed", @"reason",
4815 nil],
4816 nil], @"clauses",
4817 nil],
4818 nil], @"reasons",
4819 nil]];
4820 else {
4821 if ([package essential])
4822 remove = true;
4823 [removes addObject:name];
4824 }
4825
4826 substrate_ |= DepSubstrate(policy->GetCandidateVer(iterator));
4827 substrate_ |= DepSubstrate(iterator.CurrentVer());
4828 }
4829
4830 if (!remove)
4831 essential_ = nil;
4832 else if (Advanced_) {
4833 NSString *parenthetical(UCLocalize("PARENTHETICAL"));
4834
4835 essential_ = [[[UIAlertView alloc]
4836 initWithTitle:UCLocalize("REMOVING_ESSENTIALS")
4837 message:UCLocalize("REMOVING_ESSENTIALS_EX")
4838 delegate:self
4839 cancelButtonTitle:[NSString stringWithFormat:parenthetical, UCLocalize("CANCEL_OPERATION"), UCLocalize("SAFE")]
4840 otherButtonTitles:
4841 [NSString stringWithFormat:parenthetical, UCLocalize("FORCE_REMOVAL"), UCLocalize("UNSAFE")],
4842 nil
4843 ] autorelease];
4844
4845 [essential_ setContext:@"remove"];
4846 [essential_ setNumberOfRows:2];
4847 } else {
4848 essential_ = [[[UIAlertView alloc]
4849 initWithTitle:UCLocalize("UNABLE_TO_COMPLY")
4850 message:UCLocalize("UNABLE_TO_COMPLY_EX")
4851 delegate:self
4852 cancelButtonTitle:UCLocalize("OKAY")
4853 otherButtonTitles:nil
4854 ] autorelease];
4855
4856 [essential_ setContext:@"unable"];
4857 }
4858
4859 changes_ = [NSDictionary dictionaryWithObjectsAndKeys:
4860 installs, @"installs",
4861 reinstalls, @"reinstalls",
4862 upgrades, @"upgrades",
4863 downgrades, @"downgrades",
4864 removes, @"removes",
4865 nil];
4866
4867 sizes_ = [NSDictionary dictionaryWithObjectsAndKeys:
4868 [NSNumber numberWithInteger:[database_ fetcher].FetchNeeded()], @"downloading",
4869 [NSNumber numberWithInteger:[database_ fetcher].PartialPresent()], @"resuming",
4870 nil];
4871
4872 [self setURL:[NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/confirm/", UI_]]];
4873 } return self;
4874}
4875
4876- (UIBarButtonItem *) leftButton {
4877 return [[[UIBarButtonItem alloc]
4878 initWithTitle:UCLocalize("CANCEL")
4879 style:UIBarButtonItemStylePlain
4880 target:self
4881 action:@selector(cancelButtonClicked)
4882 ] autorelease];
4883}
4884
4885#if !AlwaysReload
4886- (void) applyRightButton {
4887 if ([issues_ count] == 0 && ![self isLoading])
4888 [[self navigationItem] setRightBarButtonItem:[[[UIBarButtonItem alloc]
4889 initWithTitle:UCLocalize("CONFIRM")
4890 style:UIBarButtonItemStyleDone
4891 target:self
4892 action:@selector(confirmButtonClicked)
4893 ] autorelease]];
4894 else
4895 [[self navigationItem] setRightBarButtonItem:nil];
4896}
4897#endif
4898
4899- (void) cancelButtonClicked {
4900 [self.delegate cancelAndClear:YES];
4901 [self dismissModalViewControllerAnimated:YES];
4902}
4903
4904#if !AlwaysReload
4905- (void) confirmButtonClicked {
4906 if (essential_ != nil)
4907 [essential_ show];
4908 else
4909 [self complete];
4910}
4911#endif
4912
4913@end
4914/* }}} */
4915
4916/* Progress Data {{{ */
4917@interface CydiaProgressData : NSObject {
4918 _transient id delegate_;
4919
4920 bool running_;
4921 float percent_;
4922
4923 float current_;
4924 float total_;
4925 float speed_;
4926
4927 _H<NSMutableArray> events_;
4928 _H<NSString> title_;
4929
4930 _H<NSString> status_;
4931 _H<NSString> finish_;
4932}
4933
4934@end
4935
4936@implementation CydiaProgressData
4937
4938+ (NSArray *) _attributeKeys {
4939 return [NSArray arrayWithObjects:
4940 @"current",
4941 @"events",
4942 @"finish",
4943 @"percent",
4944 @"running",
4945 @"speed",
4946 @"title",
4947 @"total",
4948 nil];
4949}
4950
4951- (NSArray *) attributeKeys {
4952 return [[self class] _attributeKeys];
4953}
4954
4955+ (BOOL) isKeyExcludedFromWebScript:(const char *)name {
4956 return ![[self _attributeKeys] containsObject:[NSString stringWithUTF8String:name]] && [super isKeyExcludedFromWebScript:name];
4957}
4958
4959- (id) init {
4960 if ((self = [super init]) != nil) {
4961 events_ = [NSMutableArray arrayWithCapacity:32];
4962 } return self;
4963}
4964
4965- (id) delegate {
4966 return delegate_;
4967}
4968
4969- (void) setDelegate:(id)delegate {
4970 delegate_ = delegate;
4971}
4972
4973- (void) setPercent:(float)value {
4974 percent_ = value;
4975}
4976
4977- (NSNumber *) percent {
4978 return [NSNumber numberWithFloat:percent_];
4979}
4980
4981- (void) setCurrent:(float)value {
4982 current_ = value;
4983}
4984
4985- (NSNumber *) current {
4986 return [NSNumber numberWithFloat:current_];
4987}
4988
4989- (void) setTotal:(float)value {
4990 total_ = value;
4991}
4992
4993- (NSNumber *) total {
4994 return [NSNumber numberWithFloat:total_];
4995}
4996
4997- (void) setSpeed:(float)value {
4998 speed_ = value;
4999}
5000
5001- (NSNumber *) speed {
5002 return [NSNumber numberWithFloat:speed_];
5003}
5004
5005- (NSArray *) events {
5006 return events_;
5007}
5008
5009- (void) removeAllEvents {
5010 [events_ removeAllObjects];
5011}
5012
5013- (void) addEvent:(CydiaProgressEvent *)event {
5014 [events_ addObject:event];
5015}
5016
5017- (void) setTitle:(NSString *)text {
5018 title_ = text;
5019}
5020
5021- (NSString *) title {
5022 return title_;
5023}
5024
5025- (void) setFinish:(NSString *)text {
5026 finish_ = text;
5027}
5028
5029- (NSString *) finish {
5030 return (id) finish_ ?: [NSNull null];
5031}
5032
5033- (void) setRunning:(bool)running {
5034 running_ = running;
5035}
5036
5037- (NSNumber *) running {
5038 return running_ ? (NSNumber *) kCFBooleanTrue : (NSNumber *) kCFBooleanFalse;
5039}
5040
5041@end
5042/* }}} */
5043/* Progress Controller {{{ */
5044@interface ProgressController : CydiaWebViewController <
5045 ProgressDelegate
5046> {
5047 _transient Database *database_;
5048 _H<CydiaProgressData, 1> progress_;
5049 unsigned cancel_;
5050}
5051
5052- (id) initWithDatabase:(Database *)database delegate:(id)delegate;
5053
5054- (void) invoke:(NSInvocation *)invocation withTitle:(NSString *)title;
5055
5056- (void) setTitle:(NSString *)title;
5057- (void) setCancellable:(bool)cancellable;
5058
5059@end
5060
5061@implementation ProgressController
5062
5063- (void) dealloc {
5064 [database_ setProgressDelegate:nil];
5065 [super dealloc];
5066}
5067
5068- (UIBarButtonItem *) leftButton {
5069 return cancel_ == 1 ? [[[UIBarButtonItem alloc]
5070 initWithTitle:UCLocalize("CANCEL")
5071 style:UIBarButtonItemStylePlain
5072 target:self
5073 action:@selector(cancel)
5074 ] autorelease] : nil;
5075}
5076
5077- (void) updateCancel {
5078 [super applyLeftButton];
5079}
5080
5081- (id) initWithDatabase:(Database *)database delegate:(id)delegate {
5082 if ((self = [super init]) != nil) {
5083 database_ = database;
5084 self.delegate = delegate;
5085
5086 [database_ setProgressDelegate:self];
5087
5088 progress_ = [[[CydiaProgressData alloc] init] autorelease];
5089 [progress_ setDelegate:self];
5090
5091 [self setURL:[NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/progress/", UI_]]];
5092
5093 [self setPageColor:[UIColor blackColor]];
5094
5095 [[self navigationItem] setHidesBackButton:YES];
5096
5097 [self updateCancel];
5098 } return self;
5099}
5100
5101- (void) webView:(WebView *)view didClearWindowObject:(WebScriptObject *)window forFrame:(WebFrame *)frame {
5102 [super webView:view didClearWindowObject:window forFrame:frame];
5103 [window setValue:progress_ forKey:@"cydiaProgress"];
5104}
5105
5106- (void) updateProgress {
5107 [self dispatchEvent:@"CydiaProgressUpdate"];
5108}
5109
5110- (void) viewWillAppear:(BOOL)animated {
5111 [[[self navigationController] navigationBar] setBarStyle:UIBarStyleBlack];
5112 [super viewWillAppear:animated];
5113}
5114
5115- (void) close {
5116 UpdateExternalStatus(0);
5117
5118 if (Finish_ > 1)
5119 [self.delegate saveState];
5120
5121 switch (Finish_) {
5122 case 0:
5123 [self.delegate returnToCydia];
5124 break;
5125
5126 case 1:
5127 [self.delegate terminateWithSuccess];
5128 /*if ([self.delegate respondsToSelector:@selector(suspendWithAnimation:)])
5129 [self.delegate suspendWithAnimation:YES];
5130 else
5131 [self.delegate suspend];*/
5132 break;
5133
5134 case 2:
5135 _trace();
5136 goto reload;
5137
5138 case 3:
5139 _trace();
5140 goto reload;
5141
5142 reload: {
5143 UIProgressHUD *hud([self.delegate addProgressHUD]);
5144 [hud setText:UCLocalize("LOADING")];
5145 [self.delegate performSelector:@selector(reloadSpringBoard) withObject:nil afterDelay:0.5];
5146 return;
5147 }
5148
5149 case 4:
5150 _trace();
5151 if (void (*SBReboot)(mach_port_t) = reinterpret_cast<void (*)(mach_port_t)>(dlsym(RTLD_DEFAULT, "SBReboot")))
5152 SBReboot(SBSSpringBoardServerPort());
5153 else
5154 reboot2(RB_AUTOBOOT);
5155 break;
5156 }
5157
5158 [super close];
5159}
5160
5161- (void) setTitle:(NSString *)title {
5162 [progress_ setTitle:title];
5163 [self updateProgress];
5164}
5165
5166- (UIBarButtonItem *) rightButton {
5167 return [[progress_ running] boolValue] ? [super rightButton] : [[[UIBarButtonItem alloc]
5168 initWithTitle:UCLocalize("CLOSE")
5169 style:UIBarButtonItemStylePlain
5170 target:self
5171 action:@selector(close)
5172 ] autorelease];
5173}
5174
5175- (void) invoke:(NSInvocation *)invocation withTitle:(NSString *)title {
5176 UpdateExternalStatus(1);
5177
5178 [progress_ setRunning:true];
5179 [self setTitle:title];
5180 // implicit updateProgress
5181
5182 SHA1SumValue notifyconf; {
5183 FileFd file;
5184 if (!file.Open(NotifyConfig_, FileFd::ReadOnly))
5185 _error->Discard();
5186 else {
5187 MMap mmap(file, MMap::ReadOnly);
5188 SHA1Summation sha1;
5189 sha1.Add(reinterpret_cast<uint8_t *>(mmap.Data()), mmap.Size());
5190 notifyconf = sha1.Result();
5191 }
5192 }
5193
5194 SHA1SumValue springlist; {
5195 FileFd file;
5196 if (!file.Open(SpringBoard_, FileFd::ReadOnly))
5197 _error->Discard();
5198 else {
5199 MMap mmap(file, MMap::ReadOnly);
5200 SHA1Summation sha1;
5201 sha1.Add(reinterpret_cast<uint8_t *>(mmap.Data()), mmap.Size());
5202 springlist = sha1.Result();
5203 }
5204 }
5205
5206 if (invocation != nil) {
5207 [invocation yieldToSelector:@selector(invoke)];
5208 [self setTitle:@"COMPLETE"];
5209 }
5210
5211 if (Finish_ < 4) {
5212 FileFd file;
5213 if (!file.Open(NotifyConfig_, FileFd::ReadOnly))
5214 _error->Discard();
5215 else {
5216 MMap mmap(file, MMap::ReadOnly);
5217 SHA1Summation sha1;
5218 sha1.Add(reinterpret_cast<uint8_t *>(mmap.Data()), mmap.Size());
5219 if (!(notifyconf == sha1.Result()))
5220 Finish_ = 4;
5221 }
5222 }
5223
5224 if (Finish_ < 3) {
5225 FileFd file;
5226 if (!file.Open(SpringBoard_, FileFd::ReadOnly))
5227 _error->Discard();
5228 else {
5229 MMap mmap(file, MMap::ReadOnly);
5230 SHA1Summation sha1;
5231 sha1.Add(reinterpret_cast<uint8_t *>(mmap.Data()), mmap.Size());
5232 if (!(springlist == sha1.Result()))
5233 Finish_ = 3;
5234 }
5235 }
5236
5237 if (Finish_ < 2) {
5238 if (RestartSubstrate_)
5239 Finish_ = 2;
5240 }
5241
5242 RestartSubstrate_ = false;
5243
5244 switch (Finish_) {
5245 case 0: [progress_ setFinish:UCLocalize("RETURN_TO_CYDIA")]; break; /* XXX: Maybe UCLocalize("DONE")? */
5246 case 1: [progress_ setFinish:UCLocalize("CLOSE_CYDIA")]; break;
5247 case 2: [progress_ setFinish:UCLocalize("RESTART_SPRINGBOARD")]; break;
5248 case 3: [progress_ setFinish:UCLocalize("RELOAD_SPRINGBOARD")]; break;
5249 case 4: [progress_ setFinish:UCLocalize("REBOOT_DEVICE")]; break;
5250 }
5251
5252 UpdateExternalStatus(Finish_ == 0 ? 0 : 2);
5253
5254 [progress_ setRunning:false];
5255 [self updateProgress];
5256
5257 [self applyRightButton];
5258}
5259
5260- (void) addProgressEvent:(CydiaProgressEvent *)event {
5261 [progress_ addEvent:event];
5262 [self updateProgress];
5263}
5264
5265- (bool) isProgressCancelled {
5266 return cancel_ == 2;
5267}
5268
5269- (void) cancel {
5270 cancel_ = 2;
5271 [self updateCancel];
5272}
5273
5274- (void) setCancellable:(bool)cancellable {
5275 unsigned cancel(cancel_);
5276
5277 if (!cancellable)
5278 cancel_ = 0;
5279 else if (cancel_ == 0)
5280 cancel_ = 1;
5281
5282 if (cancel != cancel_)
5283 [self updateCancel];
5284}
5285
5286- (void) setProgressCancellable:(NSNumber *)cancellable {
5287 [self setCancellable:[cancellable boolValue]];
5288}
5289
5290- (void) setProgressPercent:(NSNumber *)percent {
5291 [progress_ setPercent:[percent floatValue]];
5292 [self updateProgress];
5293}
5294
5295- (void) setProgressStatus:(NSDictionary *)status {
5296 if (status == nil) {
5297 [progress_ setCurrent:0];
5298 [progress_ setTotal:0];
5299 [progress_ setSpeed:0];
5300 } else {
5301 [progress_ setPercent:[[status objectForKey:@"Percent"] floatValue]];
5302
5303 [progress_ setCurrent:[[status objectForKey:@"Current"] floatValue]];
5304 [progress_ setTotal:[[status objectForKey:@"Total"] floatValue]];
5305 [progress_ setSpeed:[[status objectForKey:@"Speed"] floatValue]];
5306 }
5307
5308 [self updateProgress];
5309}
5310
5311@end
5312/* }}} */
5313
5314/* Package Cell {{{ */
5315@interface PackageCell : CyteTableViewCell <
5316 CyteTableViewCellDelegate
5317> {
5318 _H<UIImage> icon_;
5319 _H<NSString> name_;
5320 _H<NSString> description_;
5321 bool commercial_;
5322 _H<NSString> source_;
5323 _H<UIImage> badge_;
5324 _H<UIImage> placard_;
5325 bool summarized_;
5326}
5327
5328- (PackageCell *) init;
5329- (void) setPackage:(Package *)package asSummary:(bool)summary;
5330
5331- (void) drawContentRect:(CGRect)rect;
5332
5333@end
5334
5335@implementation PackageCell
5336
5337- (PackageCell *) init {
5338 CGRect frame(CGRectMake(0, 0, 320, 74));
5339 if ((self = [super initWithFrame:frame reuseIdentifier:@"Package"]) != nil) {
5340 [self.content setOpaque:YES];
5341 } return self;
5342}
5343
5344- (NSString *) accessibilityLabel {
5345 return name_;
5346}
5347
5348- (void) setPackage:(Package *)package asSummary:(bool)summary {
5349 summarized_ = summary;
5350
5351 icon_ = nil;
5352 name_ = nil;
5353 description_ = nil;
5354 source_ = nil;
5355 badge_ = nil;
5356 placard_ = nil;
5357
5358 if (package == nil)
5359 [self.content setBackgroundColor:[UIColor whiteColor]];
5360 else {
5361 [package parse];
5362
5363 Source *source = [package source];
5364
5365 icon_ = [package icon];
5366
5367 if (NSString *name = [package name])
5368 name_ = [NSString stringWithString:name];
5369
5370 if (NSString *description = [package shortDescription])
5371 description_ = [NSString stringWithString:description];
5372
5373 commercial_ = [package isCommercial];
5374
5375 NSString *label = nil;
5376 bool trusted = false;
5377
5378 if (source != nil) {
5379 label = [source label];
5380 trusted = [source trusted];
5381 } else if ([[package id] isEqualToString:@"firmware"])
5382 label = UCLocalize("APPLE");
5383 else
5384 label = [NSString stringWithFormat:UCLocalize("SLASH_DELIMITED"), UCLocalize("UNKNOWN"), UCLocalize("LOCAL")];
5385
5386 NSString *from(label);
5387
5388 NSString *section = [package simpleSection];
5389 if (section != nil && ![section isEqualToString:label]) {
5390 section = [[NSBundle mainBundle] localizedStringForKey:section value:nil table:@"Sections"];
5391 from = [NSString stringWithFormat:UCLocalize("PARENTHETICAL"), from, section];
5392 }
5393
5394 source_ = [NSString stringWithFormat:UCLocalize("FROM"), from];
5395
5396 if (NSString *purpose = [package primaryPurpose])
5397 badge_ = [UIImage imageAtPath:[NSString stringWithFormat:@"%@/Purposes/%@.png", App_, purpose]];
5398
5399 UIColor *color;
5400 NSString *placard;
5401
5402 if (NSString *mode = [package mode]) {
5403 if ([mode isEqualToString:@"REMOVE"] || [mode isEqualToString:@"PURGE"]) {
5404 color = RemovingColor_;
5405 placard = @"removing";
5406 } else {
5407 color = InstallingColor_;
5408 placard = @"installing";
5409 }
5410 } else {
5411 color = [UIColor whiteColor];
5412
5413 if ([package installed] != nil)
5414 placard = @"installed";
5415 else
5416 placard = nil;
5417 }
5418
5419 [self.content setBackgroundColor:color];
5420
5421 if (placard != nil)
5422 placard_ = [UIImage imageAtPath:[NSString stringWithFormat:@"%@/%@.png", App_, placard]];
5423 }
5424
5425 [self setNeedsDisplay];
5426 [self.content setNeedsDisplay];
5427}
5428
5429- (void) drawSummaryContentRect:(CGRect)rect {
5430 bool highlighted(self.highlighted);
5431 float width([self bounds].size.width);
5432
5433 if (icon_ != nil) {
5434 CGRect rect;
5435 rect.size = [(UIImage *) icon_ size];
5436
5437 while (rect.size.width > 16 || rect.size.height > 16) {
5438 rect.size.width /= 2;
5439 rect.size.height /= 2;
5440 }
5441
5442 rect.origin.x = 19 - rect.size.width / 2;
5443 rect.origin.y = 19 - rect.size.height / 2;
5444
5445 [icon_ drawInRect:Retina(rect)];
5446 }
5447
5448 if (badge_ != nil) {
5449 CGRect rect;
5450 rect.size = [(UIImage *) badge_ size];
5451
5452 rect.size.width /= 4;
5453 rect.size.height /= 4;
5454
5455 rect.origin.x = 25 - rect.size.width / 2;
5456 rect.origin.y = 25 - rect.size.height / 2;
5457
5458 [badge_ drawInRect:Retina(rect)];
5459 }
5460
5461 if (highlighted && kCFCoreFoundationVersionNumber < 800)
5462 UISetColor(White_);
5463
5464 if (!highlighted)
5465 UISetColor(commercial_ ? Purple_ : Black_);
5466 [name_ drawAtPoint:CGPointMake(36, 8) forWidth:(width - (placard_ == nil ? 68 : 94)) withFont:Font18Bold_ lineBreakMode:NSLineBreakByTruncatingTail];
5467
5468 if (placard_ != nil)
5469 [placard_ drawAtPoint:CGPointMake(width - 52, 11)];
5470}
5471
5472- (void) drawNormalContentRect:(CGRect)rect {
5473 bool highlighted(self.highlighted);
5474 float width([self bounds].size.width);
5475
5476 if (icon_ != nil) {
5477 CGRect rect;
5478 rect.size = [(UIImage *) icon_ size];
5479
5480 while (rect.size.width > 32 || rect.size.height > 32) {
5481 rect.size.width /= 2;
5482 rect.size.height /= 2;
5483 }
5484
5485 rect.origin.x = 25 - rect.size.width / 2;
5486 rect.origin.y = 25 - rect.size.height / 2;
5487
5488 [icon_ drawInRect:Retina(rect)];
5489 }
5490
5491 if (badge_ != nil) {
5492 CGRect rect;
5493 rect.size = [(UIImage *) badge_ size];
5494
5495 rect.size.width /= 2;
5496 rect.size.height /= 2;
5497
5498 rect.origin.x = 36 - rect.size.width / 2;
5499 rect.origin.y = 36 - rect.size.height / 2;
5500
5501 [badge_ drawInRect:Retina(rect)];
5502 }
5503
5504 if (highlighted && kCFCoreFoundationVersionNumber < 800)
5505 UISetColor(White_);
5506
5507 if (!highlighted)
5508 UISetColor(commercial_ ? Purple_ : Black_);
5509 [name_ drawAtPoint:CGPointMake(48, 8) forWidth:(width - (placard_ == nil ? 80 : 106)) withFont:Font18Bold_ lineBreakMode:NSLineBreakByTruncatingTail];
5510 [source_ drawAtPoint:CGPointMake(58, 29) forWidth:(width - 95) withFont:Font12_ lineBreakMode:NSLineBreakByTruncatingTail];
5511
5512 if (!highlighted)
5513 UISetColor(commercial_ ? Purplish_ : Gray_);
5514 [description_ drawAtPoint:CGPointMake(12, 46) forWidth:(width - 46) withFont:Font14_ lineBreakMode:NSLineBreakByTruncatingTail];
5515
5516 if (placard_ != nil)
5517 [placard_ drawAtPoint:CGPointMake(width - 52, 9)];
5518}
5519
5520- (void) drawContentRect:(CGRect)rect {
5521 if (summarized_)
5522 [self drawSummaryContentRect:rect];
5523 else
5524 [self drawNormalContentRect:rect];
5525}
5526
5527@end
5528/* }}} */
5529/* Section Cell {{{ */
5530@interface SectionCell : CyteTableViewCell <
5531 CyteTableViewCellDelegate
5532> {
5533 _H<NSString> basic_;
5534 _H<NSString> section_;
5535 _H<NSString> name_;
5536 _H<NSString> count_;
5537 _H<UIImage> icon_;
5538 _H<UISwitch> switch_;
5539 BOOL editing_;
5540}
5541
5542- (void) setSection:(Section *)section editing:(BOOL)editing;
5543
5544@end
5545
5546@implementation SectionCell
5547
5548- (id) initWithFrame:(CGRect)frame reuseIdentifier:(NSString *)reuseIdentifier {
5549 if ((self = [super initWithFrame:frame reuseIdentifier:reuseIdentifier]) != nil) {
5550 icon_ = [UIImage imageNamed:@"folder.png"];
5551 // XXX: this initial frame is wrong, but is fixed later
5552 switch_ = [[[UISwitch alloc] initWithFrame:CGRectMake(218, 9, 60, 25)] autorelease];
5553 [switch_ addTarget:self action:@selector(onSwitch:) forEvents:UIControlEventValueChanged];
5554
5555 [self.content setBackgroundColor:[UIColor whiteColor]];
5556 } return self;
5557}
5558
5559- (void) onSwitch:(id)sender {
5560 NSMutableDictionary *metadata([Sections_ objectForKey:basic_]);
5561 if (metadata == nil) {
5562 metadata = [NSMutableDictionary dictionaryWithCapacity:2];
5563 [Sections_ setObject:metadata forKey:basic_];
5564 }
5565
5566 [metadata setObject:[NSNumber numberWithBool:([switch_ isOn] == NO)] forKey:@"Hidden"];
5567}
5568
5569- (void) setSection:(Section *)section editing:(BOOL)editing {
5570 if (editing != editing_) {
5571 if (editing_)
5572 [switch_ removeFromSuperview];
5573 else
5574 [self addSubview:switch_];
5575 editing_ = editing;
5576 }
5577
5578 basic_ = nil;
5579 section_ = nil;
5580 name_ = nil;
5581 count_ = nil;
5582
5583 if (section == nil) {
5584 name_ = UCLocalize("ALL_PACKAGES");
5585 count_ = nil;
5586 } else {
5587 basic_ = [section name];
5588 section_ = [section localized];
5589
5590 name_ = section_ == nil || [section_ length] == 0 ? UCLocalize("NO_SECTION") : (NSString *) section_;
5591 count_ = [NSString stringWithFormat:@"%zd", [section count]];
5592
5593 if (editing_)
5594 [switch_ setOn:(isSectionVisible(basic_) ? 1 : 0) animated:NO];
5595 }
5596
5597 [self setAccessoryType:editing ? UITableViewCellAccessoryNone : UITableViewCellAccessoryDisclosureIndicator];
5598 [self setSelectionStyle:editing ? UITableViewCellSelectionStyleNone : UITableViewCellSelectionStyleBlue];
5599
5600 [self.content setNeedsDisplay];
5601}
5602
5603- (void) setFrame:(CGRect)frame {
5604 [super setFrame:frame];
5605
5606 CGRect rect([switch_ frame]);
5607 [switch_ setFrame:CGRectMake(frame.size.width - rect.size.width - 9, 9, rect.size.width, rect.size.height)];
5608}
5609
5610- (NSString *) accessibilityLabel {
5611 return name_;
5612}
5613
5614- (void) drawContentRect:(CGRect)rect {
5615 bool highlighted(self.highlighted && !editing_);
5616
5617 [icon_ drawInRect:CGRectMake(7, 7, 32, 32)];
5618
5619 if (highlighted && kCFCoreFoundationVersionNumber < 800)
5620 UISetColor(White_);
5621
5622 float width(rect.size.width);
5623 if (editing_)
5624 width -= 9 + [switch_ frame].size.width;
5625
5626 if (!highlighted)
5627 UISetColor(Black_);
5628 [name_ drawAtPoint:CGPointMake(48, 12) forWidth:(width - 58) withFont:Font18_ lineBreakMode:NSLineBreakByTruncatingTail];
5629
5630 CGSize size = [count_ sizeWithFont:Font14_];
5631
5632 UISetColor(Folder_);
5633 if (count_ != nil)
5634 [count_ drawAtPoint:CGPointMake(Retina(10 + (30 - size.width) / 2), 18) withFont:Font12Bold_];
5635}
5636
5637@end
5638/* }}} */
5639
5640/* File Table {{{ */
5641@interface FileTable : CyteListController <
5642 UITableViewDataSource,
5643 UITableViewDelegate
5644> {
5645 _transient Database *database_;
5646 _H<Package> package_;
5647 _H<NSString> name_;
5648 _H<NSMutableArray> files_;
5649}
5650
5651- (id) initWithDatabase:(Database *)database forPackage:(NSString *)name;
5652
5653@end
5654
5655@implementation FileTable
5656
5657- (NSInteger) tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
5658 return files_ == nil ? 0 : [files_ count];
5659}
5660
5661/*- (CGFloat) tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
5662 return 24.0f;
5663}*/
5664
5665- (UITableViewCell *) tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
5666 static NSString *reuseIdentifier = @"Cell";
5667
5668 UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:reuseIdentifier];
5669 if (cell == nil) {
5670 cell = [[[UITableViewCell alloc] initWithFrame:CGRectZero reuseIdentifier:reuseIdentifier] autorelease];
5671 [cell setFont:[UIFont systemFontOfSize:16]];
5672 }
5673 [cell setText:[files_ objectAtIndex:indexPath.row]];
5674 [cell setSelectionStyle:UITableViewCellSelectionStyleNone];
5675
5676 return cell;
5677}
5678
5679- (NSURL *) navigationURL {
5680 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://package/%@/files", [package_ id]]];
5681}
5682
5683- (CGFloat) rowHeight {
5684 return 24;
5685}
5686
5687- (void) releaseSubviews {
5688 package_ = nil;
5689 files_ = nil;
5690
5691 [super releaseSubviews];
5692}
5693
5694- (id) initWithDatabase:(Database *)database forPackage:(NSString *)name {
5695 if ((self = [super initWithTitle:UCLocalize("INSTALLED_FILES")]) != nil) {
5696 database_ = database;
5697 name_ = name;
5698 } return self;
5699}
5700
5701- (bool) shouldYield {
5702 return false;
5703}
5704
5705- (void) _reloadData {
5706 files_ = nil;
5707
5708 package_ = [database_ packageWithName:name_];
5709 if (package_ != nil) {
5710 files_ = [NSMutableArray arrayWithCapacity:32];
5711
5712 if (NSArray *files = [package_ files])
5713 [files_ addObjectsFromArray:files];
5714
5715 if ([files_ count] != 0) {
5716 if ([[files_ objectAtIndex:0] isEqualToString:@"/."])
5717 [files_ removeObjectAtIndex:0];
5718 [files_ sortUsingSelector:@selector(compareByPath:)];
5719
5720 NSMutableArray *stack = [NSMutableArray arrayWithCapacity:8];
5721 [stack addObject:@"/"];
5722
5723 for (int i(0), e([files_ count]); i != e; ++i) {
5724 NSString *file = [files_ objectAtIndex:i];
5725 while (![file hasPrefix:[stack lastObject]])
5726 [stack removeLastObject];
5727 NSString *directory = [stack lastObject];
5728 [stack addObject:[file stringByAppendingString:@"/"]];
5729 [files_ replaceObjectAtIndex:i withObject:[NSString stringWithFormat:@"%*s%@",
5730 int(([stack count] - 2) * 3), "",
5731 [file substringFromIndex:[directory length]]
5732 ]];
5733 }
5734 }
5735 }
5736
5737 [super _reloadData];
5738}
5739
5740@end
5741/* }}} */
5742/* Package Controller {{{ */
5743@interface CYPackageController : CydiaWebViewController <
5744 UIActionSheetDelegate
5745> {
5746 _transient Database *database_;
5747 _H<Package> package_;
5748 _H<NSString> name_;
5749 bool commercial_;
5750 std::vector<std::pair<_H<NSString>, _H<NSString>>> buttons_;
5751 _H<UIActionSheet> sheet_;
5752 _H<UIBarButtonItem> button_;
5753 _H<NSArray> versions_;
5754}
5755
5756- (id) initWithDatabase:(Database *)database forPackage:(NSString *)name withReferrer:(NSString *)referrer;
5757
5758@end
5759
5760@implementation CYPackageController
5761
5762- (NSURL *) navigationURL {
5763 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://package/%@", (id) name_]];
5764}
5765
5766- (void) _clickButtonWithPackage:(Package *)package {
5767 [self.delegate installPackage:package];
5768}
5769
5770- (void) _clickButtonWithName:(NSString *)name {
5771 if ([name isEqualToString:@"CLEAR"])
5772 return [self.delegate clearPackage:package_];
5773 else if ([name isEqualToString:@"REMOVE"])
5774 return [self.delegate removePackage:package_];
5775 else if ([name isEqualToString:@"DOWNGRADE"]) {
5776 sheet_ = [[[UIActionSheet alloc]
5777 initWithTitle:nil
5778 delegate:self
5779 cancelButtonTitle:nil
5780 destructiveButtonTitle:nil
5781 otherButtonTitles:nil
5782 ] autorelease];
5783
5784 for (Package *version in (id) versions_)
5785 [sheet_ addButtonWithTitle:[version latest]];
5786 [sheet_ setContext:@"version"];
5787
5788 [self.delegate showActionSheet:sheet_ fromItem:[[self navigationItem] rightBarButtonItem]];
5789 return;
5790 }
5791
5792 else if ([name isEqualToString:@"INSTALL"]);
5793 else if ([name isEqualToString:@"REINSTALL"]);
5794 else if ([name isEqualToString:@"UPGRADE"]);
5795 else _assert(false);
5796
5797 [self.delegate installPackage:package_];
5798}
5799
5800- (void) actionSheet:(UIActionSheet *)sheet clickedButtonAtIndex:(NSInteger)button {
5801 NSString *context([sheet context]);
5802 if (sheet_ == sheet)
5803 sheet_ = nil;
5804
5805 if ([context isEqualToString:@"modify"]) {
5806 if (button != [sheet cancelButtonIndex]) {
5807 if (IsWildcat_)
5808 [self performSelector:@selector(_clickButtonWithName:) withObject:buttons_[button].first afterDelay:0];
5809 else
5810 [self _clickButtonWithName:buttons_[button].first];
5811 }
5812
5813 [sheet dismissWithClickedButtonIndex:button animated:YES];
5814 } else if ([context isEqualToString:@"version"]) {
5815 if (button != [sheet cancelButtonIndex]) {
5816 Package *version([versions_ objectAtIndex:button]);
5817 if (IsWildcat_)
5818 [self performSelector:@selector(_clickButtonWithPackage:) withObject:version afterDelay:0];
5819 else
5820 [self _clickButtonWithPackage:version];
5821 }
5822
5823 [sheet dismissWithClickedButtonIndex:button animated:YES];
5824 }
5825}
5826
5827- (bool) _allowJavaScriptPanel {
5828 return commercial_;
5829}
5830
5831#if !AlwaysReload
5832- (void) _customButtonClicked {
5833 if (commercial_ && self.isLoading && [package_ uninstalled])
5834 return [self reloadURLWithCache:NO];
5835
5836 size_t count(buttons_.size());
5837 if (count == 0)
5838 return;
5839
5840 if (count == 1)
5841 [self _clickButtonWithName:buttons_[0].first];
5842 else {
5843 NSMutableArray *buttons = [NSMutableArray arrayWithCapacity:count];
5844 for (const auto &button : buttons_)
5845 [buttons addObject:button.second];
5846
5847 sheet_ = [[[UIActionSheet alloc]
5848 initWithTitle:nil
5849 delegate:self
5850 cancelButtonTitle:nil
5851 destructiveButtonTitle:nil
5852 otherButtonTitles:nil
5853 ] autorelease];
5854
5855 for (NSString *button in buttons)
5856 [sheet_ addButtonWithTitle:button];
5857 [sheet_ setContext:@"modify"];
5858
5859 [self.delegate showActionSheet:sheet_ fromItem:[[self navigationItem] rightBarButtonItem]];
5860 }
5861}
5862
5863- (void) applyLoadingTitle {
5864 // Don't show "Loading" as the title. Ever.
5865}
5866
5867- (UIBarButtonItem *) rightButton {
5868 return button_;
5869}
5870#endif
5871
5872- (void) setPageColor:(UIColor *)color {
5873 return [super setPageColor:nil];
5874}
5875
5876- (id) initWithDatabase:(Database *)database forPackage:(NSString *)name withReferrer:(NSString *)referrer {
5877 if ((self = [super init]) != nil) {
5878 database_ = database;
5879 name_ = name == nil ? @"" : [NSString stringWithString:name];
5880 [self setURL:[NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/package/%@", UI_, (id) name_]] withReferrer:referrer];
5881 } return self;
5882}
5883
5884- (void) reloadData {
5885 [super reloadData];
5886
5887 [sheet_ dismissWithClickedButtonIndex:[sheet_ cancelButtonIndex] animated:YES];
5888 sheet_ = nil;
5889
5890 package_ = [database_ packageWithName:name_];
5891 versions_ = [package_ downgrades];
5892
5893 buttons_.clear();
5894
5895 if (package_ != nil) {
5896 [(Package *) package_ parse];
5897
5898 commercial_ = [package_ isCommercial];
5899
5900 if ([package_ mode] != nil)
5901 buttons_.push_back(std::make_pair(@"CLEAR", UCLocalize("CLEAR")));
5902 if ([package_ source] == nil);
5903 else if ([package_ upgradableAndEssential:NO])
5904 buttons_.push_back(std::make_pair(@"UPGRADE", UCLocalize("UPGRADE")));
5905 else if ([package_ uninstalled])
5906 buttons_.push_back(std::make_pair(@"INSTALL", UCLocalize("INSTALL")));
5907 else
5908 buttons_.push_back(std::make_pair(@"REINSTALL", UCLocalize("REINSTALL")));
5909 if (![package_ uninstalled])
5910 buttons_.push_back(std::make_pair(@"REMOVE", UCLocalize("REMOVE")));
5911 if ([versions_ count] != 0)
5912 buttons_.push_back(std::make_pair(@"DOWNGRADE", UCLocalize("DOWNGRADE")));
5913 }
5914
5915 NSString *title;
5916 switch (buttons_.size()) {
5917 case 0: title = nil; break;
5918 case 1: title = buttons_[0].second; break;
5919 default: title = UCLocalize("MODIFY"); break;
5920 }
5921
5922 button_ = [[[UIBarButtonItem alloc]
5923 initWithTitle:title
5924 style:UIBarButtonItemStylePlain
5925 target:self
5926 action:@selector(customButtonClicked)
5927 ] autorelease];
5928}
5929
5930- (bool) isLoading {
5931 return commercial_ ? [super isLoading] : false;
5932}
5933
5934@end
5935/* }}} */
5936
5937/* Package List Controller {{{ */
5938@interface PackageListController : CyteListController <
5939 UITableViewDataSource,
5940 UITableViewDelegate
5941> {
5942 _transient Database *database_;
5943 unsigned era_;
5944 _H<NSArray> packages_;
5945 _H<NSArray> sections_;
5946
5947 _H<NSArray> thumbs_;
5948 std::vector<NSInteger> offset_;
5949
5950 unsigned reloading_;
5951}
5952
5953- (id) initWithDatabase:(Database *)database title:(NSString *)title;
5954
5955- (NSArray *) sectionsForPackages:(NSMutableArray *)packages;
5956
5957@end
5958
5959@implementation PackageListController
5960
5961- (NSURL *) referrerURL {
5962 return [self navigationURL];
5963}
5964
5965- (bool) isSummarized {
5966 return false;
5967}
5968
5969- (bool) showsSections {
5970 return true;
5971}
5972
5973- (void) didSelectPackage:(Package *)package {
5974 CYPackageController *view([[[CYPackageController alloc] initWithDatabase:database_ forPackage:[package id] withReferrer:[[self referrerURL] absoluteString]] autorelease]);
5975 [view setDelegate:self.delegate];
5976 [[self navigationController] pushViewController:view animated:YES];
5977}
5978
5979- (NSInteger) numberOfSectionsInTableView:(UITableView *)list {
5980 NSInteger count([sections_ count]);
5981 return count == 0 ? 1 : count;
5982}
5983
5984- (NSString *) tableView:(UITableView *)list titleForHeaderInSection:(NSInteger)section {
5985 if ([sections_ count] == 0 || [[sections_ objectAtIndex:section] count] == 0)
5986 return nil;
5987 return [[sections_ objectAtIndex:section] name];
5988}
5989
5990- (NSInteger) tableView:(UITableView *)list numberOfRowsInSection:(NSInteger)section {
5991 if ([sections_ count] == 0)
5992 return 0;
5993 return [[sections_ objectAtIndex:section] count];
5994}
5995
5996- (Package *) packageAtIndexPath:(NSIndexPath *)path {
5997@synchronized (database_) {
5998 if ([database_ era] != era_)
5999 return nil;
6000
6001 Section *section([sections_ objectAtIndex:[path section]]);
6002 NSInteger row([path row]);
6003 Package *package([packages_ objectAtIndex:([section row] + row)]);
6004 return [[package retain] autorelease];
6005} }
6006
6007- (UITableViewCell *) tableView:(UITableView *)table cellForRowAtIndexPath:(NSIndexPath *)path {
6008 PackageCell *cell((PackageCell *) [table dequeueReusableCellWithIdentifier:@"Package"]);
6009 if (cell == nil)
6010 cell = [[[PackageCell alloc] init] autorelease];
6011
6012 Package *package([database_ packageWithName:[[self packageAtIndexPath:path] id]]);
6013 [cell setPackage:package asSummary:[self isSummarized]];
6014 return cell;
6015}
6016
6017- (void) tableView:(UITableView *)table didSelectRowAtIndexPath:(NSIndexPath *)path {
6018 Package *package([self packageAtIndexPath:path]);
6019 package = [database_ packageWithName:[package id]];
6020 [self didSelectPackage:package];
6021}
6022
6023- (NSArray *) sectionIndexTitlesForTableView:(UITableView *)tableView {
6024 return thumbs_;
6025}
6026
6027- (NSInteger) tableView:(UITableView *)tableView sectionForSectionIndexTitle:(NSString *)title atIndex:(NSInteger)index {
6028 return offset_[index];
6029}
6030
6031- (CGFloat) rowHeight {
6032 return [self isSummarized] ? 38 : 73;
6033}
6034
6035- (id) initWithDatabase:(Database *)database title:(NSString *)title {
6036 if ((self = [super initWithTitle:title]) != nil) {
6037 database_ = database;
6038 } return self;
6039}
6040
6041- (void) releaseSubviews {
6042 packages_ = nil;
6043 sections_ = nil;
6044
6045 thumbs_ = nil;
6046 offset_.clear();
6047
6048 [super releaseSubviews];
6049}
6050
6051- (bool) shouldBlock {
6052 return false;
6053}
6054
6055- (NSMutableArray *) _reloadPackages {
6056@synchronized (database_) {
6057 era_ = [database_ era];
6058 NSArray *packages([database_ packages]);
6059
6060 return [NSMutableArray arrayWithArray:packages];
6061} }
6062
6063- (void) _reloadData {
6064 if (reloading_ != 0) {
6065 reloading_ = 2;
6066 return;
6067 }
6068
6069 NSMutableArray *packages;
6070
6071 reload:
6072 if ([self shouldYield]) {
6073 do {
6074 UIProgressHUD *hud;
6075
6076 if (![self shouldBlock])
6077 hud = nil;
6078 else {
6079 hud = [self.delegate addProgressHUD];
6080 [hud setText:UCLocalize("LOADING")];
6081 }
6082
6083 reloading_ = 1;
6084 packages = [self yieldToSelector:@selector(_reloadPackages)];
6085
6086 if (hud != nil)
6087 [self.delegate removeProgressHUD:hud];
6088 } while (reloading_ == 2);
6089 } else {
6090 packages = [self _reloadPackages];
6091 }
6092
6093@synchronized (database_) {
6094 if (era_ != [database_ era])
6095 goto reload;
6096 reloading_ = 0;
6097
6098 thumbs_ = nil;
6099 offset_.clear();
6100
6101 packages_ = packages;
6102
6103 if ([self showsSections])
6104 sections_ = [self sectionsForPackages:packages];
6105 else {
6106 Section *section([[[Section alloc] initWithName:nil row:0 localize:NO] autorelease]);
6107 [section setCount:[packages_ count]];
6108 sections_ = [NSArray arrayWithObject:section];
6109 }
6110
6111 [super _reloadData];
6112}
6113
6114 PrintTimes();
6115}
6116
6117- (NSArray *) sectionsForPackages:(NSMutableArray *)packages {
6118 Section *prefix([[[Section alloc] initWithName:nil row:0 localize:NO] autorelease]);
6119 size_t end([packages count]);
6120
6121 NSMutableArray *sections([NSMutableArray arrayWithCapacity:16]);
6122 Section *section(prefix);
6123
6124 thumbs_ = CollationThumbs_;
6125 offset_ = CollationOffset_;
6126
6127 size_t offset(0);
6128 size_t offsets([CollationStarts_ count]);
6129
6130 NSString *start([CollationStarts_ objectAtIndex:offset]);
6131 size_t length([start length]);
6132
6133 for (size_t index(0); index != end; ++index) {
6134 if (start != nil) {
6135 Package *package([packages objectAtIndex:index]);
6136 NSString *name(PackageName(package, @selector(cyname)));
6137
6138 //while ([start compare:name options:NSNumericSearch range:NSMakeRange(0, length) locale:CollationLocale_] != NSOrderedDescending) {
6139 while (StringNameCompare(start, name, length) != kCFCompareGreaterThan) {
6140 NSString *title([CollationTitles_ objectAtIndex:offset]);
6141 section = [[[Section alloc] initWithName:title row:index localize:NO] autorelease];
6142 [sections addObject:section];
6143
6144 start = ++offset == offsets ? nil : [CollationStarts_ objectAtIndex:offset];
6145 if (start == nil)
6146 break;
6147 length = [start length];
6148 }
6149 }
6150
6151 [section addToCount];
6152 }
6153
6154 for (; offset != offsets; ++offset) {
6155 NSString *title([CollationTitles_ objectAtIndex:offset]);
6156 Section *section([[[Section alloc] initWithName:title row:end localize:NO] autorelease]);
6157 [sections addObject:section];
6158 }
6159
6160 if ([prefix count] != 0) {
6161 Section *suffix([sections lastObject]);
6162 [prefix setName:[suffix name]];
6163 [suffix setName:nil];
6164 [sections insertObject:prefix atIndex:(offsets - 1)];
6165 }
6166
6167 return sections;
6168}
6169
6170@end
6171/* }}} */
6172/* Filtered Package List Controller {{{ */
6173typedef Function<bool, Package *> PackageFilter;
6174typedef Function<void, NSMutableArray *> PackageSorter;
6175@interface FilteredPackageListController : PackageListController {
6176 PackageFilter filter_;
6177 PackageSorter sorter_;
6178}
6179
6180- (id) initWithDatabase:(Database *)database title:(NSString *)title filter:(PackageFilter)filter;
6181
6182- (void) setFilter:(PackageFilter)filter;
6183- (void) setSorter:(PackageSorter)sorter;
6184
6185@end
6186
6187@implementation FilteredPackageListController
6188
6189- (void) setFilter:(PackageFilter)filter {
6190@synchronized (self) {
6191 filter_ = filter;
6192} }
6193
6194- (void) setSorter:(PackageSorter)sorter {
6195@synchronized (self) {
6196 sorter_ = sorter;
6197} }
6198
6199- (NSMutableArray *) _reloadPackages {
6200@synchronized (database_) {
6201 era_ = [database_ era];
6202
6203 NSArray *packages([database_ packages]);
6204 NSMutableArray *filtered([NSMutableArray arrayWithCapacity:[packages count]]);
6205
6206 PackageFilter filter;
6207 PackageSorter sorter;
6208
6209 @synchronized (self) {
6210 filter = filter_;
6211 sorter = sorter_;
6212 }
6213
6214 _profile(PackageTable$reloadData$Filter)
6215 for (Package *package in packages)
6216 if (filter(package))
6217 [filtered addObject:package];
6218 _end
6219
6220 if (sorter)
6221 sorter(filtered);
6222 return filtered;
6223} }
6224
6225- (id) initWithDatabase:(Database *)database title:(NSString *)title filter:(PackageFilter)filter {
6226 if ((self = [super initWithDatabase:database title:title]) != nil) {
6227 [self setFilter:filter];
6228 } return self;
6229}
6230
6231@end
6232/* }}} */
6233
6234/* Home Controller {{{ */
6235@interface HomeController : CydiaWebViewController {
6236 CFRunLoopRef runloop_;
6237 SCNetworkReachabilityRef reachability_;
6238}
6239
6240@end
6241
6242@implementation HomeController
6243
6244static void HomeControllerReachabilityCallback(SCNetworkReachabilityRef reachability, SCNetworkReachabilityFlags flags, void *info) {
6245 [(HomeController *) info dispatchEvent:@"CydiaReachabilityCallback"];
6246}
6247
6248- (id) init {
6249 if ((self = [super init]) != nil) {
6250 [self setURL:[NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/home/", UI_]]];
6251 [self reloadData];
6252
6253 reachability_ = SCNetworkReachabilityCreateWithName(kCFAllocatorDefault, "cydia.saurik.com");
6254 if (reachability_ != NULL) {
6255 SCNetworkReachabilityContext context = {0, self, NULL, NULL, NULL};
6256 SCNetworkReachabilitySetCallback(reachability_, HomeControllerReachabilityCallback, &context);
6257
6258 CFRunLoopRef runloop(CFRunLoopGetCurrent());
6259 if (SCNetworkReachabilityScheduleWithRunLoop(reachability_, runloop, kCFRunLoopDefaultMode))
6260 runloop_ = runloop;
6261 }
6262 } return self;
6263}
6264
6265- (void) dealloc {
6266 if (reachability_ != NULL && runloop_ != NULL)
6267 SCNetworkReachabilityUnscheduleFromRunLoop(reachability_, runloop_, kCFRunLoopDefaultMode);
6268 [super dealloc];
6269}
6270
6271- (NSURL *) navigationURL {
6272 return [NSURL URLWithString:@"cydia://home"];
6273}
6274
6275- (void) aboutButtonClicked {
6276 UIAlertView *alert([[[UIAlertView alloc] init] autorelease]);
6277
6278 [alert setTitle:UCLocalize("ABOUT_CYDIA")];
6279 [alert addButtonWithTitle:UCLocalize("CLOSE")];
6280 [alert setCancelButtonIndex:0];
6281
6282 [alert setMessage:
6283 @"Copyright \u00a9 2008-2015\n"
6284 "SaurikIT, LLC\n"
6285 "\n"
6286 "Jay Freeman (saurik)\n"
6287 "saurik@saurik.com\n"
6288 "http://www.saurik.com/"
6289 ];
6290
6291 [alert show];
6292}
6293
6294- (UIBarButtonItem *) leftButton {
6295 return [[[UIBarButtonItem alloc]
6296 initWithTitle:UCLocalize("ABOUT")
6297 style:UIBarButtonItemStylePlain
6298 target:self
6299 action:@selector(aboutButtonClicked)
6300 ] autorelease];
6301}
6302
6303@end
6304/* }}} */
6305
6306/* Cydia Tab Bar Controller {{{ */
6307@interface CydiaTabBarController : CyteTabBarController <
6308 UITabBarControllerDelegate,
6309 FetchDelegate
6310> {
6311 _transient Database *database_;
6312
6313 _H<UIActivityIndicatorView> indicator_;
6314
6315 bool updating_;
6316 // XXX: ok, "updatedelegate_"?...
6317 _transient NSObject<CydiaDelegate> *updatedelegate_;
6318}
6319
6320- (void) beginUpdate;
6321- (BOOL) updating;
6322
6323@end
6324
6325@implementation CydiaTabBarController
6326
6327- (id) initWithDatabase:(Database *)database {
6328 if ((self = [super init]) != nil) {
6329 database_ = database;
6330 [self setDelegate:self];
6331
6332 indicator_ = [[[UIActivityIndicatorView alloc] initWithActivityIndicatorStyle:UIActivityIndicatorViewStyleWhiteTiny] autorelease];
6333 [indicator_ setOrigin:CGPointMake(kCFCoreFoundationVersionNumber >= 800 ? 2 : 4, 2)];
6334
6335 [[self view] setAutoresizingMask:UIViewAutoresizingFlexibleBoth];
6336 } return self;
6337}
6338
6339- (void) beginUpdate {
6340 if (updating_)
6341 return;
6342
6343 UIViewController *controller([[self viewControllers] objectAtIndex:1]);
6344 UITabBarItem *item([controller tabBarItem]);
6345
6346 [item setBadgeValue:@""];
6347 UIView *badge(MSHookIvar<UIView *>([item view], "_badge"));
6348
6349 [indicator_ startAnimating];
6350 [badge addSubview:indicator_];
6351
6352 [updatedelegate_ retainNetworkActivityIndicator];
6353 updating_ = true;
6354
6355 [NSThread
6356 detachNewThreadSelector:@selector(performUpdate)
6357 toTarget:self
6358 withObject:nil
6359 ];
6360}
6361
6362- (void) performUpdate {
6363 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
6364
6365 SourceStatus status(self, database_);
6366 [database_ updateWithStatus:status];
6367
6368 [self
6369 performSelectorOnMainThread:@selector(completeUpdate)
6370 withObject:nil
6371 waitUntilDone:NO
6372 ];
6373
6374 [pool release];
6375}
6376
6377- (void) stopUpdateWithSelector:(SEL)selector {
6378 updating_ = false;
6379 [updatedelegate_ releaseNetworkActivityIndicator];
6380
6381 UIViewController *controller([[self viewControllers] objectAtIndex:1]);
6382 [[controller tabBarItem] setBadgeValue:nil];
6383
6384 [indicator_ removeFromSuperview];
6385 [indicator_ stopAnimating];
6386
6387 [updatedelegate_ performSelector:selector withObject:nil afterDelay:0];
6388}
6389
6390- (void) completeUpdate {
6391 if (!updating_)
6392 return;
6393 [self stopUpdateWithSelector:@selector(reloadData)];
6394}
6395
6396- (void) cancelUpdate {
6397 [self stopUpdateWithSelector:@selector(updateDataAndLoad)];
6398}
6399
6400- (void) cancelPressed {
6401 [self cancelUpdate];
6402}
6403
6404- (BOOL) updating {
6405 return updating_;
6406}
6407
6408- (bool) isSourceCancelled {
6409 return !updating_;
6410}
6411
6412- (void) startSourceFetch:(NSString *)uri {
6413}
6414
6415- (void) stopSourceFetch:(NSString *)uri {
6416}
6417
6418- (void) setUpdateDelegate:(id)delegate {
6419 updatedelegate_ = delegate;
6420}
6421
6422@end
6423/* }}} */
6424
6425/* Cydia:// Protocol {{{ */
6426@interface CydiaURLProtocol : CyteURLProtocol {
6427}
6428
6429@end
6430
6431@implementation CydiaURLProtocol
6432
6433+ (NSString *) scheme {
6434 return @"cydia";
6435}
6436
6437- (bool) loadForPath:(NSString *)path ofRequest:(NSURLRequest *)request {
6438 NSRange slash([path rangeOfString:@"/"]);
6439
6440 NSString *command;
6441 if (slash.location == NSNotFound) {
6442 command = path;
6443 path = nil;
6444 } else {
6445 command = [path substringToIndex:slash.location];
6446 path = [path substringFromIndex:(slash.location + 1)];
6447 }
6448
6449 Database *database([Database sharedInstance]);
6450
6451 if (false);
6452 else if ([command isEqualToString:@"application-icon"]) {
6453 if (path == nil)
6454 goto fail;
6455 path = [path stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
6456
6457 UIImage *icon(nil);
6458
6459 if (icon == nil && $SBSCopyIconImagePNGDataForDisplayIdentifier != NULL) {
6460 NSData *data([$SBSCopyIconImagePNGDataForDisplayIdentifier(path) autorelease]);
6461 icon = [UIImage imageWithData:data];
6462 }
6463
6464 if (icon == nil)
6465 if (NSString *file = SBSCopyIconImagePathForDisplayIdentifier(path))
6466 icon = [UIImage imageAtPath:file];
6467
6468 if (icon == nil)
6469 icon = [UIImage imageNamed:@"unknown.png"];
6470
6471 [self _returnPNGWithImage:icon forRequest:request];
6472 } else if ([command isEqualToString:@"package-icon"]) {
6473 if (path == nil)
6474 goto fail;
6475 path = [path stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
6476 Package *package([database packageWithName:path]);
6477 if (package == nil)
6478 goto fail;
6479 [package parse];
6480 UIImage *icon([package icon]);
6481 [self _returnPNGWithImage:icon forRequest:request];
6482 } else if ([command isEqualToString:@"uikit-image"]) {
6483 if (path == nil)
6484 goto fail;
6485 path = [path stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
6486 UIImage *icon(_UIImageWithName(path));
6487 [self _returnPNGWithImage:icon forRequest:request];
6488 } else if ([command isEqualToString:@"section-icon"]) {
6489 if (path == nil)
6490 goto fail;
6491 path = [path stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
6492 UIImage *icon([UIImage imageAtPath:[NSString stringWithFormat:@"%@/Sections/%@.png", App_, [path stringByReplacingOccurrencesOfString:@" " withString:@"_"]]]);
6493 if (icon == nil)
6494 icon = [UIImage imageNamed:@"unknown.png"];
6495 [self _returnPNGWithImage:icon forRequest:request];
6496 } else fail: {
6497 return [super loadForPath:path ofRequest:request];
6498 }
6499
6500 return true;
6501}
6502
6503@end
6504/* }}} */
6505
6506/* Section Controller {{{ */
6507@interface SectionController : FilteredPackageListController {
6508 _H<NSString> key_;
6509 _H<NSString> section_;
6510}
6511
6512- (id) initWithDatabase:(Database *)database source:(Source *)source section:(NSString *)section;
6513
6514@end
6515
6516@implementation SectionController
6517
6518- (NSURL *) referrerURL {
6519 NSString *name(section_);
6520 name = name ?: @"*";
6521 NSString *key(key_);
6522 key = key ?: @"*";
6523 return [NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/sections/%@/%@", UI_, [key stringByAddingPercentEscapesIncludingReserved], [name stringByAddingPercentEscapesIncludingReserved]]];
6524}
6525
6526- (NSURL *) navigationURL {
6527 NSString *name(section_);
6528 name = name ?: @"*";
6529 NSString *key(key_);
6530 key = key ?: @"*";
6531 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://sections/%@/%@", [key stringByAddingPercentEscapesIncludingReserved], [name stringByAddingPercentEscapesIncludingReserved]]];
6532}
6533
6534- (id) initWithDatabase:(Database *)database source:(Source *)source section:(NSString *)section {
6535 NSString *title;
6536 if (section == nil)
6537 title = UCLocalize("ALL_PACKAGES");
6538 else if (![section isEqual:@""])
6539 title = [[NSBundle mainBundle] localizedStringForKey:Simplify(section) value:nil table:@"Sections"];
6540 else
6541 title = UCLocalize("NO_SECTION");
6542
6543 if ((self = [super initWithDatabase:database title:title]) != nil) {
6544 key_ = [source key];
6545 section_ = section;
6546 } return self;
6547}
6548
6549- (void) reloadData {
6550 Source *source([database_ sourceWithKey:key_]);
6551 _H<NSString> name(section_);
6552
6553 [self setFilter:[=](Package *package) {
6554 NSString *section([package section]);
6555
6556 return (
6557 name == nil ||
6558 section == nil && [name length] == 0 ||
6559 [name isEqualToString:section]
6560 ) && (
6561 source == nil ||
6562 [package source] == source
6563 ) && [package visible];
6564 }];
6565
6566 [super reloadData];
6567}
6568
6569@end
6570/* }}} */
6571/* Sections Controller {{{ */
6572@interface SectionsController : CyteViewController <
6573 UITableViewDataSource,
6574 UITableViewDelegate
6575> {
6576 _transient Database *database_;
6577 _H<NSString> key_;
6578 _H<NSMutableArray> sections_;
6579 _H<NSMutableArray> filtered_;
6580 _H<UITableView, 2> list_;
6581}
6582
6583- (id) initWithDatabase:(Database *)database source:(Source *)source;
6584- (void) editButtonClicked;
6585
6586@end
6587
6588@implementation SectionsController
6589
6590- (NSURL *) navigationURL {
6591 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://sources/%@", [key_ stringByAddingPercentEscapesIncludingReserved]]];
6592}
6593
6594- (Source *) source {
6595 if (key_ == nil)
6596 return nil;
6597 return [database_ sourceWithKey:key_];
6598}
6599
6600- (void) updateNavigationItem {
6601 [[self navigationItem] setTitle:[self isEditing] ? UCLocalize("SECTION_VISIBILITY") : UCLocalize("SECTIONS")];
6602 if ([sections_ count] == 0) {
6603 [[self navigationItem] setRightBarButtonItem:nil];
6604 } else {
6605 [[self navigationItem] setRightBarButtonItem:[[UIBarButtonItem alloc]
6606 initWithBarButtonSystemItem:([self isEditing] ? UIBarButtonSystemItemDone : UIBarButtonSystemItemEdit)
6607 target:self
6608 action:@selector(editButtonClicked)
6609 ] animated:([[self navigationItem] rightBarButtonItem] != nil)];
6610 }
6611}
6612
6613- (void) setEditing:(BOOL)editing animated:(BOOL)animated {
6614 [super setEditing:editing animated:animated];
6615
6616 if (editing)
6617 [list_ reloadData];
6618 else
6619 [self.delegate updateData];
6620
6621 [self updateNavigationItem];
6622}
6623
6624- (void) viewDidAppear:(BOOL)animated {
6625 [super viewDidAppear:animated];
6626 [list_ deselectRowAtIndexPath:[list_ indexPathForSelectedRow] animated:animated];
6627}
6628
6629- (void) viewWillDisappear:(BOOL)animated {
6630 [super viewWillDisappear:animated];
6631 [self setEditing:NO];
6632}
6633
6634- (Section *) sectionAtIndexPath:(NSIndexPath *)indexPath {
6635 Section *section = nil;
6636 int index = [indexPath row];
6637 if (![self isEditing]) {
6638 index -= 1;
6639 if (index >= 0)
6640 section = [filtered_ objectAtIndex:index];
6641 } else {
6642 section = [sections_ objectAtIndex:index];
6643 }
6644 return section;
6645}
6646
6647- (NSInteger) tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
6648 if ([self isEditing])
6649 return [sections_ count];
6650 else
6651 return [filtered_ count] + 1;
6652}
6653
6654/*- (CGFloat) tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
6655 return 45.0f;
6656}*/
6657
6658- (UITableViewCell *) tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
6659 static NSString *reuseIdentifier = @"SectionCell";
6660
6661 SectionCell *cell = (SectionCell *)[tableView dequeueReusableCellWithIdentifier:reuseIdentifier];
6662 if (cell == nil)
6663 cell = [[[SectionCell alloc] initWithFrame:CGRectZero reuseIdentifier:reuseIdentifier] autorelease];
6664
6665 [cell setSection:[self sectionAtIndexPath:indexPath] editing:[self isEditing]];
6666
6667 return cell;
6668}
6669
6670- (void) tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
6671 if ([self isEditing])
6672 return;
6673
6674 Section *section = [self sectionAtIndexPath:indexPath];
6675
6676 SectionController *controller = [[[SectionController alloc]
6677 initWithDatabase:database_
6678 source:[self source]
6679 section:[section name]
6680 ] autorelease];
6681 [controller setDelegate:self.delegate];
6682
6683 [[self navigationController] pushViewController:controller animated:YES];
6684}
6685
6686- (void) loadView {
6687 list_ = [[[UITableView alloc] initWithFrame:[[UIScreen mainScreen] applicationFrame]] autorelease];
6688 [list_ setAutoresizingMask:UIViewAutoresizingFlexibleBoth];
6689 [list_ setRowHeight:46];
6690 [(UITableView *) list_ setDataSource:self];
6691 [list_ setDelegate:self];
6692 [self setView:list_];
6693}
6694
6695- (void) viewDidLoad {
6696 [super viewDidLoad];
6697
6698 [[self navigationItem] setTitle:UCLocalize("SECTIONS")];
6699}
6700
6701- (void) releaseSubviews {
6702 list_ = nil;
6703
6704 sections_ = nil;
6705 filtered_ = nil;
6706
6707 [super releaseSubviews];
6708}
6709
6710- (id) initWithDatabase:(Database *)database source:(Source *)source {
6711 if ((self = [super init]) != nil) {
6712 database_ = database;
6713 key_ = [source key];
6714 } return self;
6715}
6716
6717- (void) reloadData {
6718 [super reloadData];
6719
6720 NSArray *packages = [database_ packages];
6721
6722 sections_ = [NSMutableArray arrayWithCapacity:16];
6723 filtered_ = [NSMutableArray arrayWithCapacity:16];
6724
6725 NSMutableDictionary *sections([NSMutableDictionary dictionaryWithCapacity:32]);
6726
6727 Source *source([self source]);
6728
6729 _trace();
6730 for (Package *package in packages) {
6731 if (source != nil && [package source] != source)
6732 continue;
6733
6734 NSString *name([package section]);
6735 NSString *key(name == nil ? @"" : name);
6736
6737 Section *section;
6738
6739 _profile(SectionsView$reloadData$Section)
6740 section = [sections objectForKey:key];
6741 if (section == nil) {
6742 _profile(SectionsView$reloadData$Section$Allocate)
6743 section = [[[Section alloc] initWithName:key localize:YES] autorelease];
6744 [sections setObject:section forKey:key];
6745 _end
6746 }
6747 _end
6748
6749 [section addToCount];
6750
6751 _profile(SectionsView$reloadData$Filter)
6752 if (![package visible])
6753 continue;
6754 _end
6755
6756 [section addToRow];
6757 }
6758 _trace();
6759
6760 [sections_ addObjectsFromArray:[sections allValues]];
6761
6762 [sections_ sortUsingSelector:@selector(compareByLocalized:)];
6763
6764 for (Section *section in (id) sections_) {
6765 size_t count([section row]);
6766 if (count == 0)
6767 continue;
6768
6769 section = [[[Section alloc] initWithName:[section name] localized:[section localized]] autorelease];
6770 [section setCount:count];
6771 [filtered_ addObject:section];
6772 }
6773
6774 [self updateNavigationItem];
6775 [list_ reloadData];
6776 _trace();
6777}
6778
6779- (void) editButtonClicked {
6780 [self setEditing:![self isEditing] animated:YES];
6781}
6782
6783@end
6784/* }}} */
6785
6786/* Changes Controller {{{ */
6787@interface ChangesController : FilteredPackageListController {
6788 unsigned upgrades_;
6789}
6790
6791- (id) initWithDatabase:(Database *)database;
6792
6793@end
6794
6795@implementation ChangesController
6796
6797- (NSURL *) referrerURL {
6798 return [NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/changes/", UI_]];
6799}
6800
6801- (NSURL *) navigationURL {
6802 return [NSURL URLWithString:@"cydia://changes"];
6803}
6804
6805- (Package *) packageAtIndexPath:(NSIndexPath *)path {
6806@synchronized (database_) {
6807 if ([database_ era] != era_)
6808 return nil;
6809
6810 NSUInteger sectionIndex([path section]);
6811 if (sectionIndex >= [sections_ count])
6812 return nil;
6813 Section *section([sections_ objectAtIndex:sectionIndex]);
6814 NSInteger row([path row]);
6815 return [[[packages_ objectAtIndex:([section row] + row)] retain] autorelease];
6816} }
6817
6818- (void) alertView:(UIAlertView *)alert clickedButtonAtIndex:(NSInteger)button {
6819 NSString *context([alert context]);
6820
6821 if ([context isEqualToString:@"norefresh"])
6822 [alert dismissWithClickedButtonIndex:-1 animated:YES];
6823}
6824
6825- (void) setLeftBarButtonItem {
6826 if ([self.delegate updating])
6827 [[self navigationItem] setLeftBarButtonItem:[[[UIBarButtonItem alloc]
6828 initWithTitle:UCLocalize("CANCEL")
6829 style:UIBarButtonItemStyleDone
6830 target:self
6831 action:@selector(cancelButtonClicked)
6832 ] autorelease] animated:YES];
6833 else
6834 [[self navigationItem] setLeftBarButtonItem:[[[UIBarButtonItem alloc]
6835 initWithTitle:UCLocalize("REFRESH")
6836 style:UIBarButtonItemStylePlain
6837 target:self
6838 action:@selector(refreshButtonClicked)
6839 ] autorelease] animated:YES];
6840}
6841
6842- (void) refreshButtonClicked {
6843 if ([self.delegate requestUpdate])
6844 [self setLeftBarButtonItem];
6845}
6846
6847- (void) cancelButtonClicked {
6848 [self.delegate cancelUpdate];
6849}
6850
6851- (void) upgradeButtonClicked {
6852 [self.delegate distUpgrade];
6853 [[self navigationItem] setRightBarButtonItem:nil animated:YES];
6854}
6855
6856- (bool) shouldYield {
6857 return true;
6858}
6859
6860- (bool) shouldBlock {
6861 return true;
6862}
6863
6864- (void) useFilter {
6865@synchronized (self) {
6866 [self setFilter:[](Package *package) {
6867 return [package upgradableAndEssential:YES] || [package visible];
6868 }];
6869
6870 [self setSorter:[](NSMutableArray *packages) {
6871 [packages radixSortUsingFunction:reinterpret_cast<MenesRadixSortFunction>(&PackageChangesRadix) withContext:NULL];
6872 }];
6873} }
6874
6875- (id) initWithDatabase:(Database *)database {
6876 if ((self = [super initWithDatabase:database title:UCLocalize("CHANGES")]) != nil) {
6877 [self useFilter];
6878 } return self;
6879}
6880
6881- (void) viewDidLoad {
6882 [super viewDidLoad];
6883 [self setLeftBarButtonItem];
6884}
6885
6886- (void) viewWillAppear:(BOOL)animated {
6887 [super viewWillAppear:animated];
6888 [self setLeftBarButtonItem];
6889}
6890
6891- (void) reloadData {
6892 [self setLeftBarButtonItem];
6893 [super reloadData];
6894}
6895
6896- (NSArray *) sectionsForPackages:(NSMutableArray *)packages {
6897 NSMutableArray *sections([NSMutableArray arrayWithCapacity:16]);
6898
6899 Section *upgradable = [[[Section alloc] initWithName:UCLocalize("AVAILABLE_UPGRADES") localize:NO] autorelease];
6900 Section *ignored = nil;
6901 Section *section = nil;
6902 time_t last = 0;
6903
6904 upgrades_ = 0;
6905 bool unseens = false;
6906
6907 CFDateFormatterRef formatter(CFDateFormatterCreate(NULL, Locale_, kCFDateFormatterMediumStyle, kCFDateFormatterMediumStyle));
6908
6909 for (size_t offset = 0, count = [packages count]; offset != count; ++offset) {
6910 Package *package = [packages objectAtIndex:offset];
6911
6912 BOOL uae = [package upgradableAndEssential:YES];
6913
6914 if (!uae) {
6915 unseens = true;
6916 time_t seen([package seen]);
6917
6918 if (section == nil || last != seen) {
6919 last = seen;
6920
6921 NSString *name;
6922 name = (NSString *) CFDateFormatterCreateStringWithDate(NULL, formatter, (CFDateRef) [NSDate dateWithTimeIntervalSince1970:seen]);
6923 [name autorelease];
6924
6925 _profile(ChangesController$reloadData$Allocate)
6926 name = [NSString stringWithFormat:UCLocalize("NEW_AT"), name];
6927 section = [[[Section alloc] initWithName:name row:offset localize:NO] autorelease];
6928 [sections addObject:section];
6929 _end
6930 }
6931
6932 [section addToCount];
6933 } else if ([package ignored]) {
6934 if (ignored == nil) {
6935 ignored = [[[Section alloc] initWithName:UCLocalize("IGNORED_UPGRADES") row:offset localize:NO] autorelease];
6936 }
6937 [ignored addToCount];
6938 } else {
6939 ++upgrades_;
6940 [upgradable addToCount];
6941 }
6942 }
6943 _trace();
6944
6945 CFRelease(formatter);
6946
6947 if (unseens) {
6948 Section *last = [sections lastObject];
6949 size_t count = [last count];
6950 [packages removeObjectsInRange:NSMakeRange([packages count] - count, count)];
6951 [sections removeLastObject];
6952 }
6953
6954 if ([ignored count] != 0)
6955 [sections insertObject:ignored atIndex:0];
6956 if (upgrades_ != 0)
6957 [sections insertObject:upgradable atIndex:0];
6958
6959 [[self navigationItem] setRightBarButtonItem:(upgrades_ == 0 ? nil : [[[UIBarButtonItem alloc]
6960 initWithTitle:[NSString stringWithFormat:UCLocalize("PARENTHETICAL"), UCLocalize("UPGRADE"), [NSString stringWithFormat:@"%u", upgrades_]]
6961 style:UIBarButtonItemStylePlain
6962 target:self
6963 action:@selector(upgradeButtonClicked)
6964 ] autorelease]) animated:YES];
6965
6966 return sections;
6967}
6968
6969@end
6970/* }}} */
6971/* Search Controller {{{ */
6972@interface SearchController : FilteredPackageListController <
6973 UISearchBarDelegate
6974> {
6975 _H<UISearchBar, 1> search_;
6976 BOOL searchloaded_;
6977 bool summary_;
6978}
6979
6980- (id) initWithDatabase:(Database *)database query:(NSString *)query;
6981- (void) reloadData;
6982
6983@end
6984
6985@implementation SearchController
6986
6987- (NSURL *) referrerURL {
6988 return [NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/search?q=%@", UI_, [([search_ text] ?: @"") stringByAddingPercentEscapesIncludingReserved]]];
6989}
6990
6991- (NSURL *) navigationURL {
6992 if ([search_ text] == nil || [[search_ text] isEqualToString:@""])
6993 return [NSURL URLWithString:@"cydia://search"];
6994 else
6995 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://search/%@", [[search_ text] stringByAddingPercentEscapesIncludingReserved]]];
6996}
6997
6998- (NSArray *) termsForQuery:(NSString *)query {
6999 NSMutableArray *terms([NSMutableArray arrayWithCapacity:2]);
7000 for (NSString *component in [query componentsSeparatedByString:@" "])
7001 if ([component length] != 0)
7002 [terms addObject:component];
7003
7004 return terms;
7005}
7006
7007- (void) useSearch {
7008 _H<NSArray> query([self termsForQuery:[search_ text]]);
7009 summary_ = false;
7010
7011@synchronized (self) {
7012 [self setFilter:[=](Package *package) {
7013 if (![package unfiltered])
7014 return false;
7015 if (![package matches:query])
7016 return false;
7017 return true;
7018 }];
7019
7020 [self setSorter:[](NSMutableArray *packages) {
7021 [packages radixSortUsingSelector:@selector(rank)];
7022 }];
7023}
7024
7025 [self clearData];
7026 [self reloadData];
7027}
7028
7029- (void) usePrefix:(NSString *)prefix {
7030 _H<NSString> query(prefix);
7031 summary_ = true;
7032
7033@synchronized (self) {
7034 [self setFilter:[=](Package *package) {
7035 if ([query length] == 0)
7036 return false;
7037 if (![package unfiltered])
7038 return false;
7039 if ([[package name] compare:query options:MatchCompareOptions_ range:NSMakeRange(0, [query length])] != NSOrderedSame)
7040 return false;
7041 return true;
7042 }];
7043
7044 [self setSorter:nullptr];
7045}
7046
7047 [self reloadData];
7048}
7049
7050- (void) searchBarTextDidBeginEditing:(UISearchBar *)searchBar {
7051 [self clearData];
7052 [self usePrefix:[search_ text]];
7053}
7054
7055- (void) searchBarButtonClicked:(UISearchBar *)searchBar {
7056 [search_ resignFirstResponder];
7057 [self useSearch];
7058}
7059
7060- (void) searchBarCancelButtonClicked:(UISearchBar *)searchBar {
7061 [search_ setText:@""];
7062 [self searchBarButtonClicked:searchBar];
7063}
7064
7065- (void) searchBarSearchButtonClicked:(UISearchBar *)searchBar {
7066 [self searchBarButtonClicked:searchBar];
7067}
7068
7069- (void) searchBar:(UISearchBar *)searchBar textDidChange:(NSString *)text {
7070 [self usePrefix:text];
7071}
7072
7073- (bool) shouldYield {
7074 return YES;
7075}
7076
7077- (bool) shouldBlock {
7078 return !summary_;
7079}
7080
7081- (bool) isSummarized {
7082 return summary_;
7083}
7084
7085- (bool) showsSections {
7086 return false;
7087}
7088
7089- (id) initWithDatabase:(Database *)database query:(NSString *)query {
7090 if ((self = [super initWithDatabase:database title:UCLocalize("SEARCH")])) {
7091 search_ = [[[UISearchBar alloc] init] autorelease];
7092 [search_ setPlaceholder:UCLocalize("SEARCH_EX")];
7093 [search_ setDelegate:self];
7094
7095 UITextField *textField;
7096 if ([search_ respondsToSelector:@selector(searchField)])
7097 textField = [search_ searchField];
7098 else
7099 textField = MSHookIvar<UITextField *>(search_, "_searchField");
7100
7101 [textField setAutoresizingMask:UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleTopMargin | UIViewAutoresizingFlexibleBottomMargin];
7102 [textField setEnablesReturnKeyAutomatically:NO];
7103 [[self navigationItem] setTitleView:textField];
7104
7105 if (query != nil)
7106 [search_ setText:query];
7107 [self useSearch];
7108 } return self;
7109}
7110
7111- (void) viewDidAppear:(BOOL)animated {
7112 [super viewDidAppear:animated];
7113
7114 if (!searchloaded_) {
7115 searchloaded_ = YES;
7116 [search_ setFrame:CGRectMake(0, 0, [[self view] bounds].size.width, 44.0f)];
7117 [search_ layoutSubviews];
7118 }
7119
7120 if ([self isSummarized])
7121 [search_ becomeFirstResponder];
7122}
7123
7124- (void) reloadData {
7125 [self resetCursor];
7126 [super reloadData];
7127}
7128
7129- (void) didSelectPackage:(Package *)package {
7130 [search_ resignFirstResponder];
7131 [super didSelectPackage:package];
7132}
7133
7134@end
7135/* }}} */
7136/* Package Settings Controller {{{ */
7137@interface PackageSettingsController : CyteViewController <
7138 UITableViewDataSource,
7139 UITableViewDelegate
7140> {
7141 _transient Database *database_;
7142 _H<NSString> name_;
7143 _H<Package> package_;
7144 _H<UITableView, 2> table_;
7145 _H<UISwitch> subscribedSwitch_;
7146 _H<UISwitch> ignoredSwitch_;
7147 _H<UITableViewCell> subscribedCell_;
7148 _H<UITableViewCell> ignoredCell_;
7149}
7150
7151- (id) initWithDatabase:(Database *)database package:(NSString *)package;
7152
7153@end
7154
7155@implementation PackageSettingsController
7156
7157- (NSURL *) navigationURL {
7158 return [NSURL URLWithString:[NSString stringWithFormat:@"cydia://package/%@/settings", (id) name_]];
7159}
7160
7161- (NSInteger) numberOfSectionsInTableView:(UITableView *)tableView {
7162 if (package_ == nil)
7163 return 0;
7164
7165 if ([package_ installed] == nil)
7166 return 1;
7167 else
7168 return 2;
7169}
7170
7171- (NSInteger) tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
7172 if (package_ == nil)
7173 return 0;
7174
7175 // both sections contain just one item right now.
7176 return 1;
7177}
7178
7179- (NSString *) tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section {
7180 return nil;
7181}
7182
7183- (NSString *) tableView:(UITableView *)tableView titleForFooterInSection:(NSInteger)section {
7184 if (section == 0)
7185 return UCLocalize("SHOW_ALL_CHANGES_EX");
7186 else
7187 return UCLocalize("IGNORE_UPGRADES_EX");
7188}
7189
7190- (void) onSubscribed:(id)control {
7191 bool value([control isOn]);
7192 if (package_ == nil)
7193 return;
7194 if ([package_ setSubscribed:value])
7195 [self.delegate updateData];
7196}
7197
7198- (void) _updateIgnored {
7199 const char *package([name_ UTF8String]);
7200 bool on([ignoredSwitch_ isOn]);
7201
7202 FILE *dpkg(popen("/usr/libexec/cydia/cydo --set-selections", "w"));
7203 fwrite(package, strlen(package), 1, dpkg);
7204
7205 if (on)
7206 fwrite(" hold\n", 6, 1, dpkg);
7207 else
7208 fwrite(" install\n", 9, 1, dpkg);
7209
7210 pclose(dpkg);
7211}
7212
7213- (void) onIgnored:(id)control {
7214 NSInvocation *invocation([NSInvocation invocationWithMethodSignature:[self methodSignatureForSelector:@selector(_updateIgnored)]]);
7215 [invocation setTarget:self];
7216 [invocation setSelector:@selector(_updateIgnored)];
7217
7218 [self.delegate reloadDataWithInvocation:invocation];
7219}
7220
7221- (UITableViewCell *) tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
7222 if (package_ == nil)
7223 return nil;
7224
7225 switch ([indexPath section]) {
7226 case 0: return subscribedCell_;
7227 case 1: return ignoredCell_;
7228
7229 _nodefault
7230 }
7231
7232 return nil;
7233}
7234
7235- (void) loadView {
7236 UIView *view([[[UIView alloc] initWithFrame:[[UIScreen mainScreen] applicationFrame]] autorelease]);
7237 [view setAutoresizingMask:(UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight)];
7238 [self setView:view];
7239
7240 table_ = [[[UITableView alloc] initWithFrame:[[self view] bounds] style:UITableViewStyleGrouped] autorelease];
7241 [table_ setAutoresizingMask:UIViewAutoresizingFlexibleBoth];
7242 [(UITableView *) table_ setDataSource:self];
7243 [table_ setDelegate:self];
7244 [view addSubview:table_];
7245
7246 subscribedSwitch_ = [[[UISwitch alloc] initWithFrame:CGRectMake(0, 0, 50, 20)] autorelease];
7247 [subscribedSwitch_ setAutoresizingMask:UIViewAutoresizingFlexibleLeftMargin];
7248 [subscribedSwitch_ addTarget:self action:@selector(onSubscribed:) forEvents:UIControlEventValueChanged];
7249
7250 ignoredSwitch_ = [[[UISwitch alloc] initWithFrame:CGRectMake(0, 0, 50, 20)] autorelease];
7251 [ignoredSwitch_ setAutoresizingMask:UIViewAutoresizingFlexibleLeftMargin];
7252 [ignoredSwitch_ addTarget:self action:@selector(onIgnored:) forEvents:UIControlEventValueChanged];
7253
7254 subscribedCell_ = [[[UITableViewCell alloc] init] autorelease];
7255 [subscribedCell_ setText:UCLocalize("SHOW_ALL_CHANGES")];
7256 [subscribedCell_ setAccessoryView:subscribedSwitch_];
7257 [subscribedCell_ setSelectionStyle:UITableViewCellSelectionStyleNone];
7258
7259 ignoredCell_ = [[[UITableViewCell alloc] init] autorelease];
7260 [ignoredCell_ setText:UCLocalize("IGNORE_UPGRADES")];
7261 [ignoredCell_ setAccessoryView:ignoredSwitch_];
7262 [ignoredCell_ setSelectionStyle:UITableViewCellSelectionStyleNone];
7263}
7264
7265- (void) viewDidLoad {
7266 [super viewDidLoad];
7267
7268 [[self navigationItem] setTitle:UCLocalize("SETTINGS")];
7269}
7270
7271- (void) releaseSubviews {
7272 ignoredCell_ = nil;
7273 subscribedCell_ = nil;
7274 table_ = nil;
7275 ignoredSwitch_ = nil;
7276 subscribedSwitch_ = nil;
7277
7278 [super releaseSubviews];
7279}
7280
7281- (id) initWithDatabase:(Database *)database package:(NSString *)package {
7282 if ((self = [super init]) != nil) {
7283 database_ = database;
7284 name_ = package;
7285 } return self;
7286}
7287
7288- (void) reloadData {
7289 [super reloadData];
7290
7291 package_ = [database_ packageWithName:name_];
7292
7293 if (package_ != nil) {
7294 [subscribedSwitch_ setOn:([package_ subscribed] ? 1 : 0) animated:NO];
7295 [ignoredSwitch_ setOn:([package_ ignored] ? 1 : 0) animated:NO];
7296 } // XXX: what now, G?
7297
7298 [table_ reloadData];
7299}
7300
7301@end
7302/* }}} */
7303
7304/* Installed Controller {{{ */
7305@interface InstalledController : FilteredPackageListController {
7306 bool sectioned_;
7307}
7308
7309- (id) initWithDatabase:(Database *)database;
7310- (void) queueStatusDidChange;
7311
7312@end
7313
7314@implementation InstalledController
7315
7316- (NSURL *) referrerURL {
7317 return [NSURL URLWithString:[NSString stringWithFormat:@"%@/#!/installed/", UI_]];
7318}
7319
7320- (NSURL *) navigationURL {
7321 return [NSURL URLWithString:@"cydia://installed"];
7322}
7323
7324- (void) useRecent {
7325 sectioned_ = false;
7326
7327@synchronized (self) {
7328 [self setFilter:[](Package *package) {
7329 return ![package uninstalled] && package->role_ < 7;
7330 }];
7331
7332 [self setSorter:[](NSMutableArray *packages) {
7333 [packages radixSortUsingSelector:@selector(recent)];
7334 }];
7335} }
7336
7337- (void) useFilter:(UISegmentedControl *)segmented {
7338 NSInteger selected([segmented selectedSegmentIndex]);
7339 if (selected == 2)
7340 return [self useRecent];
7341 bool simple(selected == 0);
7342 sectioned_ = true;
7343
7344@synchronized (self) {
7345 [self setFilter:[=](Package *package) {
7346 return ![package uninstalled] && package->role_ <= (simple ? 1 : 3);
7347 }];
7348
7349 [self setSorter:nullptr];
7350} }
7351
7352- (NSArray *) sectionsForPackages:(NSMutableArray *)packages {
7353 if (sectioned_)
7354 return [super sectionsForPackages:packages];
7355
7356 CFDateFormatterRef formatter(CFDateFormatterCreate(NULL, Locale_, kCFDateFormatterLongStyle, kCFDateFormatterNoStyle));
7357
7358 NSMutableArray *sections([NSMutableArray arrayWithCapacity:16]);
7359 Section *section(nil);
7360 time_t last(0);
7361
7362 for (size_t offset(0), count([packages count]); offset != count; ++offset) {
7363 Package *package([packages objectAtIndex:offset]);
7364
7365 time_t upgraded([package upgraded]);
7366 if (upgraded < 1168364520)
7367 upgraded = 0;
7368 else
7369 upgraded -= upgraded % (60 * 60 * 24);
7370
7371 if (section == nil || upgraded != last) {
7372 last = upgraded;
7373
7374 NSString *name;
7375 if (upgraded == 0)
7376 continue; // XXX: name = UCLocalize("...");
7377 else {
7378 name = (NSString *) CFDateFormatterCreateStringWithDate(NULL, formatter, (CFDateRef) [NSDate dateWithTimeIntervalSince1970:upgraded]);
7379 [name autorelease];
7380 }
7381
7382 section = [[[Section alloc] initWithName:name row:offset localize:NO] autorelease];
7383 [sections addObject:section];
7384 }
7385
7386 [section addToCount];
7387 }
7388
7389 CFRelease(formatter);
7390 return sections;
7391}
7392
7393- (id) initWithDatabase:(Database *)database {
7394 if ((self = [super initWithDatabase:database title:UCLocalize("INSTALLED")]) != nil) {
7395 UISegmentedControl *segmented([[[UISegmentedControl alloc] initWithItems:[NSArray arrayWithObjects:UCLocalize("USER"), UCLocalize("EXPERT"), UCLocalize("RECENT"), nil]] autorelease]);
7396 [segmented setSelectedSegmentIndex:0];
7397 [segmented setSegmentedControlStyle:UISegmentedControlStyleBar];
7398 [[self navigationItem] setTitleView:segmented];
7399
7400 [segmented addTarget:self action:@selector(modeChanged:) forEvents:UIControlEventValueChanged];
7401 [self useFilter:segmented];
7402
7403 [self queueStatusDidChange];
7404 } return self;
7405}
7406
7407#if !AlwaysReload
7408- (void) queueButtonClicked {
7409 [self.delegate queue];
7410}
7411#endif
7412
7413- (void) queueStatusDidChange {
7414#if !AlwaysReload
7415 if (Queuing_) {
7416 [[self navigationItem] setRightBarButtonItem:[[[UIBarButtonItem alloc]
7417 initWithTitle:UCLocalize("QUEUE")
7418 style:UIBarButtonItemStyleDone
7419 target:self
7420 action:@selector(queueButtonClicked)
7421 ] autorelease]];
7422 } else {
7423 [[self navigationItem] setRightBarButtonItem:nil];
7424 }
7425#endif
7426}
7427
7428- (void) modeChanged:(UISegmentedControl *)segmented {
7429 [self useFilter:segmented];
7430 [self reloadData];
7431}
7432
7433@end
7434/* }}} */
7435
7436/* Source Cell {{{ */
7437@interface SourceCell : CyteTableViewCell <
7438 CyteTableViewCellDelegate,
7439 SourceDelegate
7440> {
7441 _H<Source, 1> source_;
7442 _H<NSURL> url_;
7443 _H<UIImage> icon_;
7444 _H<NSString> origin_;
7445 _H<NSString> label_;
7446 _H<UIActivityIndicatorView> indicator_;
7447}
7448
7449- (void) setSource:(Source *)source;
7450- (void) setFetch:(NSNumber *)fetch;
7451
7452@end
7453
7454@implementation SourceCell
7455
7456- (void) _setImage:(NSArray *)data {
7457 if ([url_ isEqual:[data objectAtIndex:0]]) {
7458 icon_ = [data objectAtIndex:1];
7459 [self.content setNeedsDisplay];
7460 }
7461}
7462
7463- (void) _setSource:(NSURL *) url {
7464 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
7465
7466 if (NSData *data = [NSURLConnection
7467 sendSynchronousRequest:[NSURLRequest
7468 requestWithURL:url
7469 cachePolicy:NSURLRequestUseProtocolCachePolicy
7470 timeoutInterval:10
7471 ]
7472
7473 returningResponse:NULL
7474 error:NULL
7475 ])
7476 if (UIImage *image = [UIImage imageWithData:data])
7477 [self performSelectorOnMainThread:@selector(_setImage:) withObject:[NSArray arrayWithObjects:url, image, nil] waitUntilDone:NO];
7478
7479 [pool release];
7480}
7481
7482- (void) setSource:(Source *)source {
7483 source_ = source;
7484 [source_ setDelegate:self];
7485
7486 [self setFetch:[NSNumber numberWithBool:[source_ fetch]]];
7487
7488 icon_ = [UIImage imageNamed:@"unknown.png"];
7489
7490 origin_ = [source name];
7491 label_ = [source rooturi];
7492
7493 [self.content setNeedsDisplay];
7494
7495 url_ = [source iconURL];
7496 [NSThread detachNewThreadSelector:@selector(_setSource:) toTarget:self withObject:url_];
7497}
7498
7499- (void) setAllSource {
7500 source_ = nil;
7501 [indicator_ stopAnimating];
7502
7503 icon_ = [UIImage imageNamed:@"folder.png"];
7504 origin_ = UCLocalize("ALL_SOURCES");
7505 label_ = UCLocalize("ALL_SOURCES_EX");
7506 [self.content setNeedsDisplay];
7507}
7508
7509- (SourceCell *) initWithFrame:(CGRect)frame reuseIdentifier:(NSString *)reuseIdentifier {
7510 if ((self = [super initWithFrame:frame reuseIdentifier:reuseIdentifier]) != nil) {
7511 [self.content setBackgroundColor:[UIColor whiteColor]];
7512 [self.content setOpaque:YES];
7513
7514 indicator_ = [[[UIActivityIndicatorView alloc] initWithActivityIndicatorStyle:UIActivityIndicatorViewStyleGraySmall] autorelease];
7515 [indicator_ setAutoresizingMask:UIViewAutoresizingFlexibleLeftMargin | UIViewAutoresizingFlexibleTopMargin];// | UIViewAutoresizingFlexibleBottomMargin];
7516 [[self contentView] addSubview:indicator_];
7517
7518 [[self.content layer] setContentsGravity:kCAGravityTopLeft];
7519 } return self;
7520}
7521
7522- (void) layoutSubviews {
7523 [super layoutSubviews];
7524
7525 UIView *content([self contentView]);
7526 CGRect bounds([content bounds]);
7527
7528 CGRect frame([indicator_ frame]);
7529 frame.origin.x = bounds.size.width - frame.size.width;
7530 frame.origin.y = Retina((bounds.size.height - frame.size.height) / 2);
7531
7532 if (kCFCoreFoundationVersionNumber < 800)
7533 frame.origin.x -= 8;
7534 [indicator_ setFrame:frame];
7535}
7536
7537- (NSString *) accessibilityLabel {
7538 return origin_;
7539}
7540
7541- (void) drawContentRect:(CGRect)rect {
7542 bool highlighted(self.highlighted);
7543 float width(rect.size.width);
7544
7545 if (icon_ != nil) {
7546 CGRect rect;
7547 rect.size = [(UIImage *) icon_ size];
7548
7549 while (rect.size.width > 32 || rect.size.height > 32) {
7550 rect.size.width /= 2;
7551 rect.size.height /= 2;
7552 }
7553
7554 rect.origin.x = 26 - rect.size.width / 2;
7555 rect.origin.y = 26 - rect.size.height / 2;
7556
7557 [icon_ drawInRect:Retina(rect)];
7558 }
7559
7560 if (highlighted && kCFCoreFoundationVersionNumber < 800)
7561 UISetColor(White_);
7562
7563 if (!highlighted)
7564 UISetColor(Black_);
7565 [origin_ drawAtPoint:CGPointMake(52, 8) forWidth:(width - 49) withFont:Font18Bold_ lineBreakMode:NSLineBreakByTruncatingTail];
7566
7567 if (!highlighted)
7568 UISetColor(Gray_);
7569 [label_ drawAtPoint:CGPointMake(52, 29) forWidth:(width - 49) withFont:Font12_ lineBreakMode:NSLineBreakByTruncatingTail];
7570}
7571
7572- (void) setFetch:(NSNumber *)fetch {
7573 if ([fetch boolValue])
7574 [indicator_ startAnimating];
7575 else
7576 [indicator_ stopAnimating];
7577}
7578
7579@end
7580/* }}} */
7581/* Sources Controller {{{ */
7582@interface SourcesController : CyteViewController <
7583 UITableViewDataSource,
7584 UITableViewDelegate
7585> {
7586 _transient Database *database_;
7587 unsigned era_;
7588
7589 _H<UITableView, 2> list_;
7590 _H<NSMutableArray> sources_;
7591 int offset_;
7592
7593 _H<NSString> href_;
7594 _H<UIProgressHUD> hud_;
7595 _H<NSError> error_;
7596
7597 NSURLConnection *trivial_bz2_;
7598 NSURLConnection *trivial_gz_;
7599
7600 BOOL cydia_;
7601}
7602
7603- (id) initWithDatabase:(Database *)database;
7604- (void) updateButtonsForEditingStatusAnimated:(BOOL)animated;
7605
7606@end
7607
7608@implementation SourcesController
7609
7610- (void) _releaseConnection:(NSURLConnection *)connection {
7611 if (connection != nil) {
7612 [connection cancel];
7613 //[connection setDelegate:nil];
7614 [connection release];
7615 }
7616}
7617
7618- (void) dealloc {
7619 [self _releaseConnection:trivial_gz_];
7620 [self _releaseConnection:trivial_bz2_];
7621
7622 [super dealloc];
7623}
7624
7625- (NSURL *) navigationURL {
7626 return [NSURL URLWithString:@"cydia://sources"];
7627}
7628
7629- (void) viewDidAppear:(BOOL)animated {
7630 [super viewDidAppear:animated];
7631 [list_ deselectRowAtIndexPath:[list_ indexPathForSelectedRow] animated:animated];
7632}
7633
7634- (NSInteger) numberOfSectionsInTableView:(UITableView *)tableView {
7635 return 2;
7636}
7637
7638- (NSString *) tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section {
7639 if (section == 1)
7640 return UCLocalize("INDIVIDUAL_SOURCES");
7641 return nil;
7642}
7643
7644- (NSInteger) tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
7645 switch (section) {
7646 case 0: return 1;
7647 case 1: return [sources_ count];
7648 default: return 0;
7649 }
7650}
7651
7652- (Source *) sourceAtIndexPath:(NSIndexPath *)indexPath {
7653@synchronized (database_) {
7654 if ([database_ era] != era_)
7655 return nil;
7656 if ([indexPath section] != 1)
7657 return nil;
7658 NSUInteger index([indexPath row]);
7659 if (index >= [sources_ count])
7660 return nil;
7661 return [sources_ objectAtIndex:index];
7662} }
7663
7664- (UITableViewCell *) tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
7665 static NSString *cellIdentifier = @"SourceCell";
7666
7667 SourceCell *cell = (SourceCell *) [tableView dequeueReusableCellWithIdentifier:cellIdentifier];
7668 if (cell == nil) cell = [[[SourceCell alloc] initWithFrame:CGRectZero reuseIdentifier:cellIdentifier] autorelease];
7669 [cell setAccessoryType:UITableViewCellAccessoryDisclosureIndicator];
7670
7671 Source *source([self sourceAtIndexPath:indexPath]);
7672 if (source == nil)
7673 [cell setAllSource];
7674 else
7675 [cell setSource:source];
7676
7677 return cell;
7678}
7679
7680- (void) tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
7681 SectionsController *controller([[[SectionsController alloc]
7682 initWithDatabase:database_
7683 source:[self sourceAtIndexPath:indexPath]
7684 ] autorelease]);
7685
7686 [controller setDelegate:self.delegate];
7687 [[self navigationController] pushViewController:controller animated:YES];
7688}
7689
7690- (BOOL) tableView:(UITableView *)tableView canEditRowAtIndexPath:(NSIndexPath *)indexPath {
7691 if ([indexPath section] != 1)
7692 return false;
7693 Source *source = [self sourceAtIndexPath:indexPath];
7694 return [source record] != nil;
7695}
7696
7697- (void) tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath {
7698 _assert([indexPath section] == 1);
7699 if (editingStyle == UITableViewCellEditingStyleDelete) {
7700 Source *source = [self sourceAtIndexPath:indexPath];
7701 if (source == nil) return;
7702
7703 [Sources_ removeObjectForKey:[source key]];
7704
7705 [self.delegate syncData];
7706 }
7707}
7708
7709- (void) tableView:(UITableView *)tableView didEndEditingRowAtIndexPath:(NSIndexPath *)indexPath {
7710 [self updateButtonsForEditingStatusAnimated:YES];
7711}
7712
7713- (void) complete {
7714 [self.delegate addTrivialSource:href_];
7715 href_ = nil;
7716
7717 [self.delegate syncData];
7718}
7719
7720- (NSString *) getWarning {
7721 NSString *href(href_);
7722 NSRange colon([href rangeOfString:@"://"]);
7723 if (colon.location != NSNotFound)
7724 href = [href substringFromIndex:(colon.location + 3)];
7725 href = [href stringByAddingPercentEscapes];
7726 href = [CydiaURL(@"api/repotag/") stringByAppendingString:href];
7727
7728 NSURL *url([NSURL URLWithString:href]);
7729
7730 NSStringEncoding encoding;
7731 NSError *error(nil);
7732
7733 if (NSString *warning = [NSString stringWithContentsOfURL:url usedEncoding:&encoding error:&error])
7734 return [warning length] == 0 ? nil : warning;
7735 return nil;
7736}
7737
7738- (void) _endConnection:(NSURLConnection *)connection {
7739 // XXX: the memory management in this method is horribly awkward
7740
7741 NSURLConnection **field = NULL;
7742 if (connection == trivial_bz2_)
7743 field = &trivial_bz2_;
7744 else if (connection == trivial_gz_)
7745 field = &trivial_gz_;
7746 _assert(field != NULL);
7747 [connection release];
7748 *field = nil;
7749
7750 if (
7751 trivial_bz2_ == nil &&
7752 trivial_gz_ == nil
7753 ) {
7754 NSString *warning(cydia_ ? [self yieldToSelector:@selector(getWarning)] : nil);
7755
7756 [self.delegate releaseNetworkActivityIndicator];
7757
7758 [self.delegate removeProgressHUD:hud_];
7759 hud_ = nil;
7760
7761 if (cydia_) {
7762 if (warning != nil) {
7763 UIAlertView *alert = [[[UIAlertView alloc]
7764 initWithTitle:UCLocalize("SOURCE_WARNING")
7765 message:warning
7766 delegate:self
7767 cancelButtonTitle:UCLocalize("CANCEL")
7768 otherButtonTitles:
7769 UCLocalize("ADD_ANYWAY"),
7770 nil
7771 ] autorelease];
7772
7773 [alert setContext:@"warning"];
7774 [alert setNumberOfRows:1];
7775 [alert show];
7776
7777 // XXX: there used to be this great mechanism called yieldToPopup... who deleted it?
7778 error_ = nil;
7779 return;
7780 }
7781
7782 [self complete];
7783 } else if (error_ != nil) {
7784 UIAlertView *alert = [[[UIAlertView alloc]
7785 initWithTitle:UCLocalize("VERIFICATION_ERROR")
7786 message:[error_ localizedDescription]
7787 delegate:self
7788 cancelButtonTitle:UCLocalize("OK")
7789 otherButtonTitles:nil
7790 ] autorelease];
7791
7792 [alert setContext:@"urlerror"];
7793 [alert show];
7794
7795 href_ = nil;
7796 } else {
7797 UIAlertView *alert = [[[UIAlertView alloc]
7798 initWithTitle:UCLocalize("NOT_REPOSITORY")
7799 message:UCLocalize("NOT_REPOSITORY_EX")
7800 delegate:self
7801 cancelButtonTitle:UCLocalize("OK")
7802 otherButtonTitles:nil
7803 ] autorelease];
7804
7805 [alert setContext:@"trivial"];
7806 [alert show];
7807
7808 href_ = nil;
7809 }
7810
7811 error_ = nil;
7812 }
7813}
7814
7815- (void) connection:(NSURLConnection *)connection didReceiveResponse:(NSHTTPURLResponse *)response {
7816 switch ([response statusCode]) {
7817 case 200:
7818 cydia_ = YES;
7819 }
7820}
7821
7822- (void) connection:(NSURLConnection *)connection didFailWithError:(NSError *)error {
7823 lprintf("connection:\"%s\" didFailWithError:\"%s\"\n", [href_ UTF8String], [[error localizedDescription] UTF8String]);
7824 error_ = error;
7825 [self _endConnection:connection];
7826}
7827
7828- (void) connectionDidFinishLoading:(NSURLConnection *)connection {
7829 [self _endConnection:connection];
7830}
7831
7832- (NSURLConnection *) _requestHRef:(NSString *)href method:(NSString *)method {
7833 NSURL *url([NSURL URLWithString:href]);
7834
7835 NSMutableURLRequest *request = [NSMutableURLRequest
7836 requestWithURL:url
7837 cachePolicy:NSURLRequestUseProtocolCachePolicy
7838 timeoutInterval:10
7839 ];
7840
7841 [request setHTTPMethod:method];
7842
7843 if (Machine_ != NULL)
7844 [request setValue:[NSString stringWithUTF8String:Machine_] forHTTPHeaderField:@"X-Machine"];
7845
7846 if (UniqueID_ != nil)
7847 [request setValue:UniqueID_ forHTTPHeaderField:@"X-Unique-ID"];
7848
7849 if ([url isCydiaSecure]) {
7850 if (UniqueID_ != nil)
7851 [request setValue:UniqueID_ forHTTPHeaderField:@"X-Cydia-Id"];
7852 }
7853
7854 return [[[NSURLConnection alloc] initWithRequest:request delegate:self] autorelease];
7855}
7856
7857- (void) alertView:(UIAlertView *)alert clickedButtonAtIndex:(NSInteger)button {
7858 NSString *context([alert context]);
7859
7860 if ([context isEqualToString:@"source"]) {
7861 switch (button) {
7862 case 1: {
7863 NSString *href = [[alert textField] text];
7864 href = VerifySource(href);
7865 if (href == nil)
7866 break;
7867 href_ = href;
7868
7869 trivial_bz2_ = [[self _requestHRef:[href_ stringByAppendingString:@"Packages.bz2"] method:@"HEAD"] retain];
7870 trivial_gz_ = [[self _requestHRef:[href_ stringByAppendingString:@"Packages.gz"] method:@"HEAD"] retain];
7871
7872 cydia_ = false;
7873
7874 // XXX: this is stupid
7875 hud_ = [self.delegate addProgressHUD];
7876 [hud_ setText:UCLocalize("VERIFYING_URL")];
7877 [self.delegate retainNetworkActivityIndicator];
7878 } break;
7879
7880 case 0:
7881 break;
7882
7883 _nodefault
7884 }
7885
7886 [alert dismissWithClickedButtonIndex:-1 animated:YES];
7887 } else if ([context isEqualToString:@"trivial"])
7888 [alert dismissWithClickedButtonIndex:-1 animated:YES];
7889 else if ([context isEqualToString:@"urlerror"])
7890 [alert dismissWithClickedButtonIndex:-1 animated:YES];
7891 else if ([context isEqualToString:@"warning"]) {
7892 switch (button) {
7893 case 1:
7894 [self performSelector:@selector(complete) withObject:nil afterDelay:0];
7895 break;
7896
7897 case 0:
7898 break;
7899
7900 _nodefault
7901 }
7902
7903 [alert dismissWithClickedButtonIndex:-1 animated:YES];
7904 }
7905}
7906
7907- (void) updateButtonsForEditingStatusAnimated:(BOOL)animated {
7908 BOOL editing([list_ isEditing]);
7909
7910 if (editing)
7911 [[self navigationItem] setLeftBarButtonItem:[[[UIBarButtonItem alloc]
7912 initWithTitle:UCLocalize("ADD")
7913 style:UIBarButtonItemStylePlain
7914 target:self
7915 action:@selector(addButtonClicked)
7916 ] autorelease] animated:animated];
7917 else if ([self.delegate updating])
7918 [[self navigationItem] setLeftBarButtonItem:[[[UIBarButtonItem alloc]
7919 initWithTitle:UCLocalize("CANCEL")
7920 style:UIBarButtonItemStyleDone
7921 target:self
7922 action:@selector(cancelButtonClicked)
7923 ] autorelease] animated:animated];
7924 else
7925 [[self navigationItem] setLeftBarButtonItem:[[[UIBarButtonItem alloc]
7926 initWithTitle:UCLocalize("REFRESH")
7927 style:UIBarButtonItemStylePlain
7928 target:self
7929 action:@selector(refreshButtonClicked)
7930 ] autorelease] animated:animated];
7931
7932 [[self navigationItem] setRightBarButtonItem:[[[UIBarButtonItem alloc]
7933 initWithTitle:(editing ? UCLocalize("DONE") : UCLocalize("EDIT"))
7934 style:(editing ? UIBarButtonItemStyleDone : UIBarButtonItemStylePlain)
7935 target:self
7936 action:@selector(editButtonClicked)
7937 ] autorelease] animated:animated];
7938}
7939
7940- (void) loadView {
7941 list_ = [[[UITableView alloc] initWithFrame:[[UIScreen mainScreen] applicationFrame] style:UITableViewStylePlain] autorelease];
7942 [list_ setAutoresizingMask:UIViewAutoresizingFlexibleBoth];
7943 [list_ setRowHeight:53];
7944 [(UITableView *) list_ setDataSource:self];
7945 [list_ setDelegate:self];
7946 [self setView:list_];
7947}
7948
7949- (void) viewDidLoad {
7950 [super viewDidLoad];
7951
7952 [[self navigationItem] setTitle:UCLocalize("SOURCES")];
7953 [self updateButtonsForEditingStatusAnimated:NO];
7954}
7955
7956- (void) viewWillAppear:(BOOL)animated {
7957 [super viewWillAppear:animated];
7958
7959 [list_ setEditing:NO];
7960 [self updateButtonsForEditingStatusAnimated:NO];
7961}
7962
7963- (void) releaseSubviews {
7964 list_ = nil;
7965
7966 sources_ = nil;
7967
7968 [super releaseSubviews];
7969}
7970
7971- (id) initWithDatabase:(Database *)database {
7972 if ((self = [super init]) != nil) {
7973 database_ = database;
7974 } return self;
7975}
7976
7977- (void) reloadData {
7978 [super reloadData];
7979 [self updateButtonsForEditingStatusAnimated:YES];
7980
7981@synchronized (database_) {
7982 era_ = [database_ era];
7983
7984 sources_ = [NSMutableArray arrayWithCapacity:16];
7985 [sources_ addObjectsFromArray:[database_ sources]];
7986 _trace();
7987 [sources_ sortUsingSelector:@selector(compareByName:)];
7988 _trace();
7989
7990 int count([sources_ count]);
7991 offset_ = 0;
7992 for (int i = 0; i != count; i++) {
7993 if ([[sources_ objectAtIndex:i] record] == nil)
7994 break;
7995 offset_++;
7996 }
7997
7998 [list_ reloadData];
7999} }
8000
8001- (void) showAddSourcePrompt {
8002 UIAlertView *alert = [[[UIAlertView alloc]
8003 initWithTitle:UCLocalize("ENTER_APT_URL")
8004 message:nil
8005 delegate:self
8006 cancelButtonTitle:UCLocalize("CANCEL")
8007 otherButtonTitles:
8008 UCLocalize("ADD_SOURCE"),
8009 nil
8010 ] autorelease];
8011
8012 [alert setContext:@"source"];
8013
8014 [alert setNumberOfRows:1];
8015 [alert addTextFieldWithValue:@"http://" label:@""];
8016
8017 NSObject<UITextInputTraits> *traits = [[alert textField] textInputTraits];
8018 [traits setAutocapitalizationType:UITextAutocapitalizationTypeNone];
8019 [traits setAutocorrectionType:UITextAutocorrectionTypeNo];
8020 [traits setKeyboardType:UIKeyboardTypeURL];
8021 // XXX: UIReturnKeyDone
8022 [traits setReturnKeyType:UIReturnKeyNext];
8023
8024 [alert show];
8025}
8026
8027- (void) addButtonClicked {
8028 [self showAddSourcePrompt];
8029}
8030
8031- (void) refreshButtonClicked {
8032 if ([self.delegate requestUpdate])
8033 [self updateButtonsForEditingStatusAnimated:YES];
8034}
8035
8036- (void) cancelButtonClicked {
8037 [self.delegate cancelUpdate];
8038}
8039
8040- (void) editButtonClicked {
8041 [list_ setEditing:![list_ isEditing] animated:YES];
8042 [self updateButtonsForEditingStatusAnimated:YES];
8043}
8044
8045@end
8046/* }}} */
8047
8048/* Stash Controller {{{ */
8049@interface StashController : CyteViewController {
8050 _H<UIActivityIndicatorView> spinner_;
8051 _H<UILabel> status_;
8052 _H<UILabel> caption_;
8053}
8054
8055@end
8056
8057@implementation StashController
8058
8059- (void) loadView {
8060 UIView *view([[[UIView alloc] initWithFrame:[[UIScreen mainScreen] applicationFrame]] autorelease]);
8061 [view setAutoresizingMask:(UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight)];
8062 [self setView:view];
8063
8064 [view setBackgroundColor:[UIColor viewFlipsideBackgroundColor]];
8065
8066 spinner_ = [[[UIActivityIndicatorView alloc] initWithActivityIndicatorStyle:UIActivityIndicatorViewStyleWhiteLarge] autorelease];
8067 CGRect spinrect = [spinner_ frame];
8068 spinrect.origin.x = Retina([[self view] frame].size.width / 2 - spinrect.size.width / 2);
8069 spinrect.origin.y = [[self view] frame].size.height - 80.0f;
8070 [spinner_ setFrame:spinrect];
8071 [spinner_ setAutoresizingMask:UIViewAutoresizingFlexibleLeftMargin | UIViewAutoresizingFlexibleRightMargin | UIViewAutoresizingFlexibleTopMargin];
8072 [view addSubview:spinner_];
8073 [spinner_ startAnimating];
8074
8075 CGRect captrect;
8076 captrect.size.width = [[self view] frame].size.width;
8077 captrect.size.height = 40.0f;
8078 captrect.origin.x = 0;
8079 captrect.origin.y = Retina([[self view] frame].size.height / 2 - captrect.size.height * 2);
8080 caption_ = [[[UILabel alloc] initWithFrame:captrect] autorelease];
8081 [caption_ setText:UCLocalize("PREPARING_FILESYSTEM")];
8082 [caption_ setAutoresizingMask:UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleTopMargin | UIViewAutoresizingFlexibleBottomMargin];
8083 [caption_ setFont:[UIFont boldSystemFontOfSize:28.0f]];
8084 [caption_ setTextColor:[UIColor whiteColor]];
8085 [caption_ setBackgroundColor:[UIColor clearColor]];
8086 [caption_ setShadowColor:[UIColor blackColor]];
8087 [caption_ setTextAlignment:NSTextAlignmentCenter];
8088 [view addSubview:caption_];
8089
8090 CGRect statusrect;
8091 statusrect.size.width = [[self view] frame].size.width;
8092 statusrect.size.height = 30.0f;
8093 statusrect.origin.x = 0;
8094 statusrect.origin.y = Retina([[self view] frame].size.height / 2 - statusrect.size.height);
8095 status_ = [[[UILabel alloc] initWithFrame:statusrect] autorelease];
8096 [status_ setAutoresizingMask:UIViewAutoresizingFlexibleLeftMargin | UIViewAutoresizingFlexibleRightMargin | UIViewAutoresizingFlexibleTopMargin | UIViewAutoresizingFlexibleBottomMargin];
8097 [status_ setText:UCLocalize("EXIT_WHEN_COMPLETE")];
8098 [status_ setFont:[UIFont systemFontOfSize:16.0f]];
8099 [status_ setTextColor:[UIColor whiteColor]];
8100 [status_ setBackgroundColor:[UIColor clearColor]];
8101 [status_ setShadowColor:[UIColor blackColor]];
8102 [status_ setTextAlignment:NSTextAlignmentCenter];
8103 [view addSubview:status_];
8104}
8105
8106- (void) releaseSubviews {
8107 spinner_ = nil;
8108 status_ = nil;
8109 caption_ = nil;
8110
8111 [super releaseSubviews];
8112}
8113
8114@end
8115/* }}} */
8116
8117@interface Cydia : CyteApplication <
8118 ConfirmationControllerDelegate,
8119 DatabaseDelegate,
8120 CydiaDelegate
8121> {
8122 _H<CyteWindow> window_;
8123 _H<CydiaTabBarController> tabbar_;
8124 _H<CyteTabBarController> emulated_;
8125 _H<AppCacheController> appcache_;
8126
8127 _H<NSMutableArray> essential_;
8128 _H<NSMutableArray> broken_;
8129
8130 Database *database_;
8131
8132 _H<NSURL> starturl_;
8133
8134 unsigned locked_;
8135
8136 _H<StashController> stash_;
8137
8138 bool loaded_;
8139}
8140
8141- (void) loadData;
8142
8143@end
8144
8145@implementation Cydia
8146
8147- (void) lockSuspend {
8148 if (locked_++ == 0) {
8149 if ($SBSSetInterceptsMenuButtonForever != NULL)
8150 (*$SBSSetInterceptsMenuButtonForever)(true);
8151
8152 [self setIdleTimerDisabled:YES];
8153 }
8154}
8155
8156- (void) unlockSuspend {
8157 if (--locked_ == 0) {
8158 [self setIdleTimerDisabled:NO];
8159
8160 if ($SBSSetInterceptsMenuButtonForever != NULL)
8161 (*$SBSSetInterceptsMenuButtonForever)(false);
8162 }
8163}
8164
8165- (void) beginUpdate {
8166 [tabbar_ beginUpdate];
8167}
8168
8169- (void) cancelUpdate {
8170 [tabbar_ cancelUpdate];
8171}
8172
8173- (bool) requestUpdate {
8174 if (CyteIsReachable("cydia.saurik.com")) {
8175 [self beginUpdate];
8176 return true;
8177 } else {
8178 UIAlertView *alert = [[[UIAlertView alloc]
8179 initWithTitle:[NSString stringWithFormat:Colon_, Error_, UCLocalize("REFRESH")]
8180 message:@"Host Unreachable" // XXX: Localize
8181 delegate:self
8182 cancelButtonTitle:UCLocalize("OK")
8183 otherButtonTitles:nil
8184 ] autorelease];
8185
8186 [alert setContext:@"norefresh"];
8187 [alert show];
8188
8189 return false;
8190 }
8191}
8192
8193- (BOOL) updating {
8194 return [tabbar_ updating];
8195}
8196
8197- (void) _loaded {
8198 if ([broken_ count] != 0) {
8199 int count = [broken_ count];
8200
8201 UIAlertView *alert = [[[UIAlertView alloc]
8202 initWithTitle:(count == 1 ? UCLocalize("HALFINSTALLED_PACKAGE") : [NSString stringWithFormat:UCLocalize("HALFINSTALLED_PACKAGES"), count])
8203 message:UCLocalize("HALFINSTALLED_PACKAGE_EX")
8204 delegate:self
8205 cancelButtonTitle:[NSString stringWithFormat:UCLocalize("PARENTHETICAL"), UCLocalize("FORCIBLY_CLEAR"), UCLocalize("UNSAFE")]
8206 otherButtonTitles:
8207 UCLocalize("TEMPORARY_IGNORE"),
8208 nil
8209 ] autorelease];
8210
8211 [alert setContext:@"fixhalf"];
8212 [alert setNumberOfRows:2];
8213 [alert show];
8214 } else if (!Ignored_ && [essential_ count] != 0) {
8215 int count = [essential_ count];
8216
8217 UIAlertView *alert = [[[UIAlertView alloc]
8218 initWithTitle:(count == 1 ? UCLocalize("ESSENTIAL_UPGRADE") : [NSString stringWithFormat:UCLocalize("ESSENTIAL_UPGRADES"), count])
8219 message:UCLocalize("ESSENTIAL_UPGRADE_EX")
8220 delegate:self
8221 cancelButtonTitle:UCLocalize("TEMPORARY_IGNORE")
8222 otherButtonTitles:
8223 UCLocalize("UPGRADE_ESSENTIAL"),
8224 UCLocalize("COMPLETE_UPGRADE"),
8225 nil
8226 ] autorelease];
8227
8228 [alert setContext:@"upgrade"];
8229 [alert show];
8230 }
8231}
8232
8233- (void) returnToCydia {
8234 [self _loaded];
8235}
8236
8237- (void) reloadSpringBoard {
8238 if (kCFCoreFoundationVersionNumber >= 700) // XXX: iOS 6.x
8239 system("/usr/libexec/cydia/cydo /bin/launchctl stop com.apple.backboardd");
8240 else
8241 system("/usr/libexec/cydia/cydo /bin/launchctl stop com.apple.SpringBoard");
8242 sleep(15);
8243 system("/usr/bin/killall backboardd SpringBoard");
8244}
8245
8246- (void) _saveConfig {
8247 SaveConfig(database_);
8248}
8249
8250// Navigation controller for the queuing badge.
8251- (UINavigationController *) queueNavigationController {
8252 NSArray *controllers = [tabbar_ viewControllers];
8253 return [controllers objectAtIndex:3];
8254}
8255
8256- (void) _updateData {
8257 [self _saveConfig];
8258 [window_ unloadData];
8259
8260 UINavigationController *navigation = [self queueNavigationController];
8261
8262 id queuedelegate = nil;
8263 if ([[navigation viewControllers] count] > 0)
8264 queuedelegate = [[navigation viewControllers] objectAtIndex:0];
8265
8266 [queuedelegate queueStatusDidChange];
8267 [[navigation tabBarItem] setBadgeValue:(Queuing_ ? UCLocalize("Q_D") : nil)];
8268}
8269
8270- (void) _refreshIfPossible {
8271 NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init];
8272
8273 NSDate *update([[NSDictionary dictionaryWithContentsOfFile:@ CacheState_] objectForKey:@"LastUpdate"]);
8274
8275 bool recently = false;
8276 if (update != nil) {
8277 NSTimeInterval interval([update timeIntervalSinceNow]);
8278 if (interval > -(15*60))
8279 recently = true;
8280 }
8281
8282 // Don't automatic refresh if:
8283 // - We already refreshed recently.
8284 // - We already auto-refreshed this launch.
8285 // - Auto-refresh is disabled.
8286 // - Cydia's server is not reachable
8287 if (recently || loaded_ || ManualRefresh || !CyteIsReachable("cydia.saurik.com")) {
8288 // If we are cancelling, we need to make sure it knows it's already loaded.
8289 loaded_ = true;
8290
8291 [self performSelectorOnMainThread:@selector(_loaded) withObject:nil waitUntilDone:NO];
8292 } else {
8293 // We are going to load, so remember that.
8294 loaded_ = true;
8295
8296 [tabbar_ performSelectorOnMainThread:@selector(beginUpdate) withObject:nil waitUntilDone:NO];
8297 }
8298
8299 [pool release];
8300}
8301
8302- (void) refreshIfPossible {
8303 [NSThread detachNewThreadSelector:@selector(_refreshIfPossible) toTarget:self withObject:nil];
8304}
8305
8306- (void) reloadDataWithInvocation:(NSInvocation *)invocation {
8307_profile(reloadDataWithInvocation)
8308@synchronized (self) {
8309 UIProgressHUD *hud(loaded_ ? [self addProgressHUD] : nil);
8310 if (hud != nil)
8311 [hud setText:UCLocalize("RELOADING_DATA")];
8312
8313 [database_ yieldToSelector:@selector(reloadDataWithInvocation:) withObject:invocation];
8314
8315 size_t changes(0);
8316
8317 [essential_ removeAllObjects];
8318 [broken_ removeAllObjects];
8319
8320 _profile(reloadDataWithInvocation$Essential)
8321 NSArray *packages([database_ packages]);
8322 for (Package *package in packages) {
8323 if ([package half])
8324 [broken_ addObject:package];
8325 if ([package upgradableAndEssential:YES] && ![package ignored]) {
8326 if ([package essential] && [package installed] != nil)
8327 [essential_ addObject:package];
8328 ++changes;
8329 }
8330 }
8331 _end
8332
8333 UITabBarItem *changesItem = [[[tabbar_ viewControllers] objectAtIndex:2] tabBarItem];
8334 if (changes != 0) {
8335 _trace();
8336 NSString *badge([[NSNumber numberWithInt:changes] stringValue]);
8337 [changesItem setBadgeValue:badge];
8338 [changesItem setAnimatedBadge:([essential_ count] > 0)];
8339 [self setApplicationIconBadgeNumber:changes];
8340 } else {
8341 _trace();
8342 [changesItem setBadgeValue:nil];
8343 [changesItem setAnimatedBadge:NO];
8344 [self setApplicationIconBadgeNumber:0];
8345 }
8346
8347 Queuing_ = false;
8348 [self _updateData];
8349
8350 if (hud != nil)
8351 [self removeProgressHUD:hud];
8352}
8353_end
8354
8355 PrintTimes();
8356}
8357
8358- (void) updateData {
8359 [self _updateData];
8360}
8361
8362- (void) updateDataAndLoad {
8363 [self _updateData];
8364 if ([database_ progressDelegate] == nil)
8365 [self _loaded];
8366}
8367
8368- (void) update_ {
8369 [database_ update];
8370 [self performSelectorOnMainThread:@selector(reloadData) withObject:nil waitUntilDone:YES];
8371}
8372
8373- (void) disemulate {
8374 if (emulated_ == nil)
8375 return;
8376
8377 [window_ setRootViewController:tabbar_];
8378 emulated_ = nil;
8379
8380 [window_ setUserInteractionEnabled:YES];
8381}
8382
8383- (void) presentModalViewController:(UIViewController *)controller force:(BOOL)force {
8384 UINavigationController *navigation([[[UINavigationController alloc] initWithRootViewController:controller] autorelease]);
8385
8386 UIViewController *parent;
8387 if (emulated_ == nil)
8388 parent = tabbar_;
8389 else if (!force)
8390 parent = emulated_;
8391 else {
8392 [self disemulate];
8393 parent = tabbar_;
8394 }
8395
8396 if (IsWildcat_)
8397 [navigation setModalPresentationStyle:UIModalPresentationFormSheet];
8398 [parent presentModalViewController:navigation animated:YES];
8399}
8400
8401- (ProgressController *) invokeNewProgress:(NSInvocation *)invocation forController:(UINavigationController *)navigation withTitle:(NSString *)title {
8402 ProgressController *progress([[[ProgressController alloc] initWithDatabase:database_ delegate:self] autorelease]);
8403
8404 if (navigation != nil)
8405 [navigation pushViewController:progress animated:YES];
8406 else
8407 [self presentModalViewController:progress force:YES];
8408
8409 [progress invoke:invocation withTitle:title];
8410 return progress;
8411}
8412
8413- (void) detachNewProgressSelector:(SEL)selector toTarget:(id)target forController:(UINavigationController *)navigation title:(NSString *)title {
8414 [self invokeNewProgress:[NSInvocation invocationWithSelector:selector forTarget:target] forController:navigation withTitle:title];
8415}
8416
8417- (void) repairWithInvocation:(NSInvocation *)invocation {
8418 _trace();
8419 [self invokeNewProgress:invocation forController:nil withTitle:@"REPAIRING"];
8420 _trace();
8421}
8422
8423- (void) repairWithSelector:(SEL)selector {
8424 [self performSelectorOnMainThread:@selector(repairWithInvocation:) withObject:[NSInvocation invocationWithSelector:selector forTarget:database_] waitUntilDone:YES];
8425}
8426
8427- (void) reloadData {
8428 [self reloadDataWithInvocation:nil];
8429 if ([database_ progressDelegate] == nil)
8430 [self _loaded];
8431}
8432
8433- (void) syncData {
8434 [self _saveConfig];
8435 [self detachNewProgressSelector:@selector(update_) toTarget:self forController:nil title:@"UPDATING_SOURCES"];
8436}
8437
8438- (void) addSource:(NSDictionary *) source {
8439 CydiaAddSource(source);
8440}
8441
8442- (void) addSource:(NSString *)href withDistribution:(NSString *)distribution andSections:(NSArray *)sections {
8443 CydiaAddSource(href, distribution, sections);
8444}
8445
8446// XXX: this method should not return anything
8447- (BOOL) addTrivialSource:(NSString *)href {
8448 CydiaAddSource(href, @"./");
8449 return YES;
8450}
8451
8452- (void) resolve {
8453 pkgProblemResolver *resolver = [database_ resolver];
8454
8455 resolver->InstallProtect();
8456 if (!resolver->Resolve(true))
8457 _error->Discard();
8458}
8459
8460- (bool) perform {
8461 // XXX: this is a really crappy way of doing this.
8462 // like, seriously: this state machine is still broken, and cancelling this here doesn't really /fix/ that.
8463 // for one, the user can still /start/ a reloading data event while they have a queue, which is stupid
8464 // for two, this just means there is a race condition between the refresh completing and the confirmation controller appearing.
8465 if ([tabbar_ updating])
8466 [tabbar_ cancelUpdate];
8467
8468 if (![database_ prepare])
8469 return false;
8470
8471 ConfirmationController *page([[[ConfirmationController alloc] initWithDatabase:database_] autorelease]);
8472 [page setDelegate:self];
8473 UINavigationController *confirm_([[[UINavigationController alloc] initWithRootViewController:page] autorelease]);
8474
8475 if (IsWildcat_)
8476 [confirm_ setModalPresentationStyle:UIModalPresentationFormSheet];
8477 [tabbar_ presentModalViewController:confirm_ animated:YES];
8478
8479 return true;
8480}
8481
8482- (void) queue {
8483 @synchronized (self) {
8484 [self perform];
8485 }
8486}
8487
8488- (void) clearPackage:(Package *)package {
8489 @synchronized (self) {
8490 [package clear];
8491 [self resolve];
8492 [self perform];
8493 }
8494}
8495
8496- (void) installPackages:(NSArray *)packages {
8497 @synchronized (self) {
8498 for (Package *package in packages)
8499 [package install];
8500 [self resolve];
8501 [self perform];
8502 }
8503}
8504
8505- (void) installPackage:(Package *)package {
8506 @synchronized (self) {
8507 [package install];
8508 [self resolve];
8509 [self perform];
8510 }
8511}
8512
8513- (void) removePackage:(Package *)package {
8514 @synchronized (self) {
8515 [package remove];
8516 [self resolve];
8517 [self perform];
8518 }
8519}
8520
8521- (void) distUpgrade {
8522 @synchronized (self) {
8523 if (![database_ upgrade])
8524 return;
8525 [self perform];
8526 }
8527}
8528
8529- (void) _uicache {
8530 _trace();
8531 system("/usr/bin/uicache");
8532 _trace();
8533}
8534
8535- (void) uicache {
8536 UIProgressHUD *hud([self addProgressHUD]);
8537 [hud setText:UCLocalize("LOADING")];
8538 [self yieldToSelector:@selector(_uicache)];
8539 [self removeProgressHUD:hud];
8540}
8541
8542- (void) perform_ {
8543 [database_ perform];
8544 [self performSelectorOnMainThread:@selector(reloadData) withObject:nil waitUntilDone:YES];
8545 [self performSelectorOnMainThread:@selector(uicache) withObject:nil waitUntilDone:YES];
8546}
8547
8548- (void) confirmWithNavigationController:(UINavigationController *)navigation {
8549 Queuing_ = false;
8550 [self lockSuspend];
8551 [self detachNewProgressSelector:@selector(perform_) toTarget:self forController:navigation title:@"RUNNING"];
8552 [self unlockSuspend];
8553}
8554
8555- (void) cancelAndClear:(bool)clear {
8556 @synchronized (self) {
8557 if (clear) {
8558 [database_ clear];
8559 Queuing_ = false;
8560 } else {
8561 Queuing_ = true;
8562 }
8563
8564 [self _updateData];
8565 }
8566}
8567
8568- (void) alertView:(UIAlertView *)alert clickedButtonAtIndex:(NSInteger)button {
8569 NSString *context([alert context]);
8570
8571 if ([context isEqualToString:@"conffile"]) {
8572 FILE *input = [database_ input];
8573 if (button == [alert cancelButtonIndex])
8574 fprintf(input, "N\n");
8575 else if (button == [alert firstOtherButtonIndex])
8576 fprintf(input, "Y\n");
8577 fflush(input);
8578
8579 [alert dismissWithClickedButtonIndex:-1 animated:YES];
8580 } else if ([context isEqualToString:@"fixhalf"]) {
8581 if (button == [alert cancelButtonIndex]) {
8582 @synchronized (self) {
8583 for (Package *broken in (id) broken_) {
8584 [broken remove];
8585 NSString *id(ShellEscape([broken id]));
8586 system([[NSString stringWithFormat:@"/usr/libexec/cydia/cydo /bin/rm -f"
8587 " /var/lib/dpkg/info/%@.prerm"
8588 " /var/lib/dpkg/info/%@.postrm"
8589 " /var/lib/dpkg/info/%@.preinst"
8590 " /var/lib/dpkg/info/%@.postinst"
8591 " /var/lib/dpkg/info/%@.extrainst_"
8592 "", id, id, id, id, id] UTF8String]);
8593 }
8594
8595 [self resolve];
8596 [self perform];
8597 }
8598 } else if (button == [alert firstOtherButtonIndex]) {
8599 [broken_ removeAllObjects];
8600 [self _loaded];
8601 }
8602
8603 [alert dismissWithClickedButtonIndex:-1 animated:YES];
8604 } else if ([context isEqualToString:@"upgrade"]) {
8605 if (button == [alert firstOtherButtonIndex]) {
8606 @synchronized (self) {
8607 for (Package *essential in (id) essential_)
8608 [essential install];
8609
8610 [self resolve];
8611 [self perform];
8612 }
8613 } else if (button == [alert firstOtherButtonIndex] + 1) {
8614 [self distUpgrade];
8615 } else if (button == [alert cancelButtonIndex]) {
8616 Ignored_ = YES;
8617 }
8618
8619 [alert dismissWithClickedButtonIndex:-1 animated:YES];
8620 }
8621}
8622
8623- (void) system:(NSString *)command {
8624 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
8625
8626 _trace();
8627 system([command UTF8String]);
8628 _trace();
8629
8630 [pool release];
8631}
8632
8633- (void) applicationWillSuspend {
8634 [database_ clean];
8635 [super applicationWillSuspend];
8636}
8637
8638- (BOOL) isSafeToSuspend {
8639 if (locked_ != 0) {
8640#if !ForRelease
8641 NSLog(@"isSafeToSuspend: locked_ != 0");
8642#endif
8643 return false;
8644 }
8645
8646 if ([tabbar_ modalViewController] != nil)
8647 return false;
8648
8649 // Use external process status API internally.
8650 // This is probably a really bad idea.
8651 // XXX: what is the point of this? does this solve anything at all?
8652 uint64_t status = 0;
8653 int notify_token;
8654 if (notify_register_check("com.saurik.Cydia.status", &notify_token) == NOTIFY_STATUS_OK) {
8655 notify_get_state(notify_token, &status);
8656 notify_cancel(notify_token);
8657 }
8658
8659 if (status != 0) {
8660#if !ForRelease
8661 NSLog(@"isSafeToSuspend: status != 0");
8662#endif
8663 return false;
8664 }
8665
8666#if !ForRelease
8667 NSLog(@"isSafeToSuspend: -> true");
8668#endif
8669 return true;
8670}
8671
8672- (void) suspendReturningToLastApp:(BOOL)returning {
8673 if ([self isSafeToSuspend])
8674 [super suspendReturningToLastApp:returning];
8675}
8676
8677- (void) suspend {
8678 if ([self isSafeToSuspend])
8679 [super suspend];
8680}
8681
8682- (void) applicationSuspend {
8683 if ([self isSafeToSuspend])
8684 [super applicationSuspend];
8685}
8686
8687- (void) applicationSuspend:(GSEventRef)event {
8688 if ([self isSafeToSuspend])
8689 [super applicationSuspend:event];
8690}
8691
8692- (void) _animateSuspension:(BOOL)arg0 duration:(double)arg1 startTime:(double)arg2 scale:(float)arg3 {
8693 if ([self isSafeToSuspend])
8694 [super _animateSuspension:arg0 duration:arg1 startTime:arg2 scale:arg3];
8695}
8696
8697- (void) _setSuspended:(BOOL)value {
8698 if ([self isSafeToSuspend])
8699 [super _setSuspended:value];
8700}
8701
8702- (UIProgressHUD *) addProgressHUD {
8703 UIProgressHUD *hud([[[UIProgressHUD alloc] init] autorelease]);
8704 [hud setAutoresizingMask:UIViewAutoresizingFlexibleBoth];
8705
8706 [window_ setUserInteractionEnabled:NO];
8707
8708 UIViewController *target(tabbar_);
8709 if (UIViewController *modal = [target modalViewController])
8710 target = modal;
8711
8712 [hud showInView:[target view]];
8713
8714 [self lockSuspend];
8715 return hud;
8716}
8717
8718- (void) removeProgressHUD:(UIProgressHUD *)hud {
8719 [self unlockSuspend];
8720 [hud hide];
8721 [hud removeFromSuperview];
8722 [window_ setUserInteractionEnabled:YES];
8723}
8724
8725- (CyteViewController *) pageForPackage:(NSString *)name withReferrer:(NSString *)referrer {
8726 return [[[CYPackageController alloc] initWithDatabase:database_ forPackage:name withReferrer:referrer] autorelease];
8727}
8728
8729- (CyteViewController *) pageForURL:(NSURL *)url forExternal:(BOOL)external withReferrer:(NSString *)referrer {
8730 NSString *scheme([[url scheme] lowercaseString]);
8731 if ([[url absoluteString] length] <= [scheme length] + 3)
8732 return nil;
8733 NSString *path([[url absoluteString] substringFromIndex:[scheme length] + 3]);
8734 NSArray *components([path componentsSeparatedByString:@"/"]);
8735
8736 if ([scheme isEqualToString:@"apptapp"] && [components count] > 0 && [[components objectAtIndex:0] isEqualToString:@"package"]) {
8737 CyteViewController *controller([self pageForPackage:[components objectAtIndex:1] withReferrer:referrer]);
8738 if (controller != nil)
8739 [controller setDelegate:self];
8740 return controller;
8741 }
8742
8743 if ([components count] < 1 || ![scheme isEqualToString:@"cydia"])
8744 return nil;
8745
8746 NSString *base([components objectAtIndex:0]);
8747
8748 CyteViewController *controller = nil;
8749
8750 if ([base isEqualToString:@"url"]) {
8751 // This kind of URL can contain slashes in the argument, so we can't parse them below.
8752 NSString *destination = [[url absoluteString] substringFromIndex:([scheme length] + [@"://" length] + [base length] + [@"/" length])];
8753 controller = [[[CydiaWebViewController alloc] initWithURL:[NSURL URLWithString:destination]] autorelease];
8754 } else if (!external && [components count] == 1) {
8755 if ([base isEqualToString:@"sources"]) {
8756 controller = [[[SourcesController alloc] initWithDatabase:database_] autorelease];
8757 }
8758
8759 if ([base isEqualToString:@"home"]) {
8760 controller = [[[HomeController alloc] init] autorelease];
8761 }
8762
8763 if ([base isEqualToString:@"sections"]) {
8764 controller = [[[SectionsController alloc] initWithDatabase:database_ source:nil] autorelease];
8765 }
8766
8767 if ([base isEqualToString:@"search"]) {
8768 controller = [[[SearchController alloc] initWithDatabase:database_ query:nil] autorelease];
8769 }
8770
8771 if ([base isEqualToString:@"changes"]) {
8772 controller = [[[ChangesController alloc] initWithDatabase:database_] autorelease];
8773 }
8774
8775 if ([base isEqualToString:@"installed"]) {
8776 controller = [[[InstalledController alloc] initWithDatabase:database_] autorelease];
8777 }
8778 } else if ([components count] == 2) {
8779 NSString *argument = [[components objectAtIndex:1] stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
8780
8781 if ([base isEqualToString:@"package"]) {
8782 controller = [self pageForPackage:argument withReferrer:referrer];
8783 }
8784
8785 if (!external && [base isEqualToString:@"search"]) {
8786 controller = [[[SearchController alloc] initWithDatabase:database_ query:argument] autorelease];
8787 }
8788
8789 if (!external && [base isEqualToString:@"sections"]) {
8790 if ([argument isEqualToString:@"all"] || [argument isEqualToString:@"*"])
8791 argument = nil;
8792 controller = [[[SectionController alloc] initWithDatabase:database_ source:nil section:argument] autorelease];
8793 }
8794
8795 if ([base isEqualToString:@"sources"]) {
8796 if ([argument isEqualToString:@"add"]) {
8797 controller = [[[SourcesController alloc] initWithDatabase:database_] autorelease];
8798 [(SourcesController *)controller showAddSourcePrompt];
8799 } else {
8800 Source *source([database_ sourceWithKey:argument]);
8801 controller = [[[SectionsController alloc] initWithDatabase:database_ source:source] autorelease];
8802 }
8803 }
8804
8805 if (!external && [base isEqualToString:@"launch"]) {
8806 [self launchApplicationWithIdentifier:argument suspended:NO];
8807 return nil;
8808 }
8809 } else if (!external && [components count] == 3) {
8810 NSString *arg1 = [[components objectAtIndex:1] stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
8811 NSString *arg2 = [[components objectAtIndex:2] stringByReplacingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
8812
8813 if ([base isEqualToString:@"package"]) {
8814 if ([arg2 isEqualToString:@"settings"]) {
8815 controller = [[[PackageSettingsController alloc] initWithDatabase:database_ package:arg1] autorelease];
8816 } else if ([arg2 isEqualToString:@"files"]) {
8817 controller = [[[FileTable alloc] initWithDatabase:database_ forPackage:arg1] autorelease];
8818 }
8819 }
8820
8821 if ([base isEqualToString:@"sections"]) {
8822 Source *source([arg1 isEqualToString:@"*"] ? nil : [database_ sourceWithKey:arg1]);
8823 NSString *section([arg2 isEqualToString:@"*"] ? nil : arg2);
8824 controller = [[[SectionController alloc] initWithDatabase:database_ source:source section:section] autorelease];
8825 }
8826 }
8827
8828 [controller setDelegate:self];
8829 return controller;
8830}
8831
8832- (BOOL) openCydiaURL:(NSURL *)url forExternal:(BOOL)external {
8833 CyteViewController *page([self pageForURL:url forExternal:external withReferrer:nil]);
8834
8835 if (page != nil)
8836 [tabbar_ setUnselectedViewController:page];
8837
8838 return page != nil;
8839}
8840
8841- (void) applicationOpenURL:(NSURL *)url {
8842 [super applicationOpenURL:url];
8843
8844 if (!loaded_)
8845 starturl_ = url;
8846 else
8847 [self openCydiaURL:url forExternal:YES];
8848}
8849
8850- (void) applicationWillResignActive:(UIApplication *)application {
8851 // Stop refreshing if you get a phone call or lock the device.
8852 if ([tabbar_ updating])
8853 [tabbar_ cancelUpdate];
8854
8855 if ([[self superclass] instancesRespondToSelector:@selector(applicationWillResignActive:)])
8856 [super applicationWillResignActive:application];
8857}
8858
8859- (void) saveState {
8860 [[NSDictionary dictionaryWithObjectsAndKeys:
8861 @"InterfaceState", [tabbar_ navigationURLCollection],
8862 @"LastClosed", [NSDate date],
8863 @"InterfaceIndex", [NSNumber numberWithInt:[tabbar_ selectedIndex]],
8864 nil] writeToFile:@ SavedState_ atomically:YES];
8865
8866 [self _saveConfig];
8867}
8868
8869- (void) applicationWillTerminate:(UIApplication *)application {
8870 [self saveState];
8871}
8872
8873- (void) applicationDidEnterBackground:(UIApplication *)application {
8874 if (kCFCoreFoundationVersionNumber < 1000 && [self isSafeToSuspend])
8875 return [self terminateWithSuccess];
8876 Backgrounded_ = [NSDate date];
8877 [self saveState];
8878}
8879
8880- (void) applicationWillEnterForeground:(UIApplication *)application {
8881 if (Backgrounded_ == nil)
8882 return;
8883
8884 NSTimeInterval interval([Backgrounded_ timeIntervalSinceNow]);
8885
8886 if (interval <= -(30*60)) {
8887 [tabbar_ setSelectedIndex:0];
8888 [[[tabbar_ viewControllers] objectAtIndex:0] popToRootViewControllerAnimated:NO];
8889 }
8890
8891 if (interval <= -(15*60)) {
8892 if (CyteIsReachable("cydia.saurik.com")) {
8893 [tabbar_ beginUpdate];
8894 [appcache_ reloadURLWithCache:YES];
8895 }
8896 }
8897
8898 if ([database_ delocked])
8899 [self reloadData];
8900}
8901
8902- (void) setConfigurationData:(NSString *)data {
8903 static RegEx conffile_r("'(.*)' '(.*)' ([01]) ([01])");
8904
8905 if (!conffile_r(data)) {
8906 lprintf("E:invalid conffile\n");
8907 return;
8908 }
8909
8910 NSString *ofile = conffile_r[1];
8911 //NSString *nfile = conffile_r[2];
8912
8913 UIAlertView *alert = [[[UIAlertView alloc]
8914 initWithTitle:UCLocalize("CONFIGURATION_UPGRADE")
8915 message:[NSString stringWithFormat:@"%@\n\n%@", UCLocalize("CONFIGURATION_UPGRADE_EX"), ofile]
8916 delegate:self
8917 cancelButtonTitle:UCLocalize("KEEP_OLD_COPY")
8918 otherButtonTitles:
8919 UCLocalize("ACCEPT_NEW_COPY"),
8920 // XXX: UCLocalize("SEE_WHAT_CHANGED"),
8921 nil
8922 ] autorelease];
8923
8924 [alert setContext:@"conffile"];
8925 [alert setNumberOfRows:2];
8926 [alert show];
8927}
8928
8929- (void) addStashController {
8930 [self lockSuspend];
8931 stash_ = [[[StashController alloc] init] autorelease];
8932 [window_ addSubview:[stash_ view]];
8933}
8934
8935- (void) removeStashController {
8936 [[stash_ view] removeFromSuperview];
8937 stash_ = nil;
8938 [self unlockSuspend];
8939}
8940
8941- (void) stash {
8942 [[UIApplication sharedApplication] setStatusBarStyle:UIStatusBarStyleBlackOpaque];
8943 UpdateExternalStatus(1);
8944 [self yieldToSelector:@selector(system:) withObject:@"/usr/libexec/cydia/cydo /usr/libexec/cydia/free.sh"];
8945 UpdateExternalStatus(0);
8946
8947 [self removeStashController];
8948 [self reloadSpringBoard];
8949}
8950
8951- (void) applicationDidFinishLaunching:(id)unused {
8952 [super applicationDidFinishLaunching:unused];
8953 [CyteWebViewController _initialize];
8954
8955 [BridgedHosts_ addObject:[[NSURL URLWithString:CydiaURL(@"")] host]];
8956
8957 [NSURLProtocol registerClass:[CydiaURLProtocol class]];
8958
8959 // this would disallow http{,s} URLs from accessing this data
8960 //[WebView registerURLSchemeAsLocal:@"cydia"];
8961
8962 Font12_ = [UIFont systemFontOfSize:12];
8963 Font12Bold_ = [UIFont boldSystemFontOfSize:12];
8964 Font14_ = [UIFont systemFontOfSize:14];
8965 Font18_ = [UIFont systemFontOfSize:18];
8966 Font18Bold_ = [UIFont boldSystemFontOfSize:18];
8967 Font22Bold_ = [UIFont boldSystemFontOfSize:22];
8968
8969 essential_ = [NSMutableArray arrayWithCapacity:4];
8970 broken_ = [NSMutableArray arrayWithCapacity:4];
8971
8972 // XXX: I really need this thing... like, seriously... I'm sorry
8973 appcache_ = [[[AppCacheController alloc] initWithURL:[NSURL URLWithString:[NSString stringWithFormat:@"%@/appcache/", UI_]]] autorelease];
8974 [appcache_ reloadData];
8975
8976 window_ = [[[CyteWindow alloc] initWithFrame:[[UIScreen mainScreen] bounds]] autorelease];
8977 [window_ orderFront:self];
8978 [window_ makeKey:self];
8979 [window_ setHidden:NO];
8980
8981 if (access("/.cydia_no_stash", F_OK) == 0);
8982 else {
8983
8984 if (false) stash: {
8985 [self addStashController];
8986 // XXX: this would be much cleaner as a yieldToSelector:
8987 // that way the removeStashController could happen right here inline
8988 // we also could no longer require the useless stash_ field anymore
8989 [self performSelector:@selector(stash) withObject:nil afterDelay:0];
8990 return;
8991 }
8992
8993 struct stat root;
8994 int error(stat("/", &root));
8995 _assert(error != -1);
8996
8997 #define Stash_(path) do { \
8998 struct stat folder; \
8999 int error(lstat((path), &folder)); \
9000 if (error != -1 && ( \
9001 folder.st_dev == root.st_dev && \
9002 S_ISDIR(folder.st_mode) \
9003 ) || error == -1 && ( \
9004 errno == ENOENT || \
9005 errno == ENOTDIR \
9006 )) goto stash; \
9007 } while (false)
9008
9009 Stash_("/Applications");
9010 Stash_("/Library/Ringtones");
9011 Stash_("/Library/Wallpaper");
9012 //Stash_("/usr/bin");
9013 Stash_("/usr/include");
9014 Stash_("/usr/share");
9015 //Stash_("/var/lib");
9016
9017 }
9018
9019 database_ = [Database sharedInstance];
9020 [database_ setDelegate:self];
9021
9022 [window_ setUserInteractionEnabled:NO];
9023
9024 tabbar_ = [[[CydiaTabBarController alloc] initWithDatabase:database_] autorelease];
9025
9026 [tabbar_ addViewControllers:nil,
9027 @"Cydia", @"home.png", @"home7.png", @"home7s.png",
9028 UCLocalize("SOURCES"), @"install.png", @"install7.png", @"install7s.png",
9029 UCLocalize("CHANGES"), @"changes.png", @"changes7.png", @"changes7s.png",
9030 UCLocalize("INSTALLED"), @"manage.png", @"manage7.png", @"manage7s.png",
9031 UCLocalize("SEARCH"), @"search.png", @"search7.png", @"search7s.png",
9032 nil];
9033
9034 [tabbar_ setUpdateDelegate:self];
9035
9036 CydiaLoadingViewController *loading([[[CydiaLoadingViewController alloc] init] autorelease]);
9037 UINavigationController *navigation([[[UINavigationController alloc] init] autorelease]);
9038 [navigation setViewControllers:[NSArray arrayWithObject:loading]];
9039
9040 emulated_ = [[[CyteTabBarController alloc] init] autorelease];
9041 [emulated_ setViewControllers:[NSArray arrayWithObject:navigation]];
9042 [emulated_ setSelectedIndex:0];
9043
9044 if ([emulated_ respondsToSelector:@selector(concealTabBarSelection)])
9045 [emulated_ concealTabBarSelection];
9046
9047 [window_ setRootViewController:emulated_];
9048
9049 [self performSelector:@selector(loadData) withObject:nil afterDelay:0];
9050_trace();
9051}
9052
9053- (NSArray *) defaultStartPages {
9054 NSMutableArray *standard = [NSMutableArray array];
9055 [standard addObject:[NSArray arrayWithObject:@"cydia://home"]];
9056 [standard addObject:[NSArray arrayWithObject:@"cydia://sources"]];
9057 [standard addObject:[NSArray arrayWithObject:@"cydia://changes"]];
9058 [standard addObject:[NSArray arrayWithObject:@"cydia://installed"]];
9059 [standard addObject:[NSArray arrayWithObject:@"cydia://search"]];
9060 return standard;
9061}
9062
9063- (void) loadData {
9064_trace();
9065 if ([emulated_ modalViewController] != nil)
9066 [emulated_ dismissModalViewControllerAnimated:YES];
9067 [window_ setUserInteractionEnabled:NO];
9068
9069 [self reloadDataWithInvocation:nil];
9070 [self refreshIfPossible];
9071 [self disemulate];
9072
9073 NSDictionary *state([NSDictionary dictionaryWithContentsOfFile:@ SavedState_]);
9074
9075 int savedIndex = [[state objectForKey:@"InterfaceIndex"] intValue];
9076 NSArray *saved = [[[state objectForKey:@"InterfaceState"] mutableCopy] autorelease];
9077 int standardIndex = 0;
9078 NSArray *standard = [self defaultStartPages];
9079
9080 BOOL valid = YES;
9081
9082 if (saved == nil)
9083 valid = NO;
9084
9085 NSDate *closed = [state objectForKey:@"LastClosed"];
9086 if (valid && closed != nil) {
9087 NSTimeInterval interval([closed timeIntervalSinceNow]);
9088 if (interval <= -(30*60))
9089 valid = NO;
9090 }
9091
9092 if (valid && [saved count] != [standard count])
9093 valid = NO;
9094
9095 if (valid) {
9096 for (unsigned int i = 0; i < [standard count]; i++) {
9097 NSArray *std = [standard objectAtIndex:i], *sav = [saved objectAtIndex:i];
9098 // XXX: The "hasPrefix" sanity check here could be, in theory, fooled,
9099 // but it's good enough for now.
9100 if ([sav count] == 0 || ![[sav objectAtIndex:0] hasPrefix:[std objectAtIndex:0]]) {
9101 valid = NO;
9102 break;
9103 }
9104 }
9105 }
9106
9107 NSArray *items = nil;
9108 if (valid) {
9109 [tabbar_ setSelectedIndex:savedIndex];
9110 items = saved;
9111 } else {
9112 [tabbar_ setSelectedIndex:standardIndex];
9113 items = standard;
9114 }
9115
9116 for (unsigned int tab = 0; tab < [[tabbar_ viewControllers] count]; tab++) {
9117 NSArray *stack = [items objectAtIndex:tab];
9118 UINavigationController *navigation = [[tabbar_ viewControllers] objectAtIndex:tab];
9119 NSMutableArray *current = [NSMutableArray array];
9120
9121 for (unsigned int nav = 0; nav < [stack count]; nav++) {
9122 NSString *addr = [stack objectAtIndex:nav];
9123 NSURL *url = [NSURL URLWithString:addr];
9124 CyteViewController *page = [self pageForURL:url forExternal:NO withReferrer:nil];
9125 if (page != nil)
9126 [current addObject:page];
9127 }
9128
9129 [navigation setViewControllers:current];
9130 }
9131
9132 // (Try to) show the startup URL.
9133 if (starturl_ != nil) {
9134 [self openCydiaURL:starturl_ forExternal:YES];
9135 starturl_ = nil;
9136 }
9137}
9138
9139- (void) showActionSheet:(UIActionSheet *)sheet fromItem:(UIBarButtonItem *)item {
9140 if (!IsWildcat_) {
9141 [sheet addButtonWithTitle:UCLocalize("CANCEL")];
9142 [sheet setCancelButtonIndex:[sheet numberOfButtons] - 1];
9143 }
9144
9145 if (item != nil && IsWildcat_) {
9146 [sheet showFromBarButtonItem:item animated:YES];
9147 } else {
9148 [sheet showInView:window_];
9149 }
9150}
9151
9152- (void) addProgressEvent:(CydiaProgressEvent *)event forTask:(NSString *)task {
9153 id<ProgressDelegate> progress([database_ progressDelegate] ?: [self invokeNewProgress:nil forController:nil withTitle:task]);
9154 [progress setTitle:task];
9155 [progress addProgressEvent:event];
9156}
9157
9158- (void) addProgressEventForTask:(NSArray *)data {
9159 CydiaProgressEvent *event([data objectAtIndex:0]);
9160 NSString *task([data count] < 2 ? nil : [data objectAtIndex:1]);
9161 [self addProgressEvent:event forTask:task];
9162}
9163
9164- (void) addProgressEventOnMainThread:(CydiaProgressEvent *)event forTask:(NSString *)task {
9165 [self performSelectorOnMainThread:@selector(addProgressEventForTask:) withObject:[NSArray arrayWithObjects:event, task, nil] waitUntilDone:YES];
9166}
9167
9168@end
9169
9170/*IMP alloc_;
9171id Alloc_(id self, SEL selector) {
9172 id object = alloc_(self, selector);
9173 lprintf("[%s]A-%p\n", self->isa->name, object);
9174 return object;
9175}*/
9176
9177/*IMP dealloc_;
9178id Dealloc_(id self, SEL selector) {
9179 id object = dealloc_(self, selector);
9180 lprintf("[%s]D-%p\n", self->isa->name, object);
9181 return object;
9182}*/
9183
9184static NSMutableDictionary *AutoreleaseDeepMutableCopyOfDictionary(CFTypeRef type) {
9185 if (type == NULL)
9186 return nil;
9187 if (CFGetTypeID(type) != CFDictionaryGetTypeID())
9188 return nil;
9189 CFTypeRef copy(CFPropertyListCreateDeepCopy(kCFAllocatorDefault, type, kCFPropertyListMutableContainers));
9190 CFRelease(type);
9191 return [(NSMutableDictionary *) copy autorelease];
9192}
9193
9194int main_copy();
9195int main_file();
9196int main_gpgv();
9197int main_rred(int, char *argv[]);
9198
9199int main_gzip(int, char *argv[]);
9200
9201int main_store(int, char *argv[]);
9202
9203int main_http();
9204
9205int main(int argc, char *argv[]) {
9206 const char *argv0(argv[0]);
9207 if (const char *slash = strrchr(argv0, '/'))
9208 argv0 = slash + 1;
9209 if (false);
9210 else if (!strcmp(argv0, "copy"))
9211 return main_copy();
9212 else if (!strcmp(argv0, "file"))
9213 return main_file();
9214 else if (!strcmp(argv0, "gpgv"))
9215 return main_gpgv();
9216 else if (!strcmp(argv0, "rred"))
9217 return main_rred(argc, argv);
9218#ifdef __arm__
9219 else if (!strcmp(argv0, "bzip2"))
9220 return main_gzip(argc, argv);
9221 else if (!strcmp(argv0, "gzip"))
9222 return main_gzip(argc, argv);
9223 else if (!strcmp(argv0, "lzma"))
9224 return main_gzip(argc, argv);
9225#endif
9226#ifdef __arm64__
9227 else if (!strcmp(argv0, "store"))
9228 return main_store(argc, argv);
9229#endif
9230 else if (!strcmp(argv0, "http"))
9231 return main_http();
9232 else if (!strcmp(argv0, "https"))
9233 return main_http();
9234 else {}
9235
9236 int fd(open("/tmp/cydia.log", O_WRONLY | O_APPEND | O_CREAT, 0644));
9237 dup2(fd, 2);
9238 close(fd);
9239
9240 NSAutoreleasePool *pool([[NSAutoreleasePool alloc] init]);
9241
9242 _trace();
9243
9244 CyteInitialize([NSString stringWithFormat:@"Cydia/%@", Cydia_]);
9245 UpdateExternalStatus(0);
9246
9247 SessionData_ = [NSMutableDictionary dictionaryWithCapacity:4];
9248 BridgedHosts_ = [NSMutableSet setWithCapacity:4];
9249 InsecureHosts_ = [NSMutableSet setWithCapacity:4];
9250
9251 UI_ = CydiaURL([NSString stringWithFormat:@"ui/ios~%@/1.1", IsWildcat_ ? @"ipad" : @"iphone"]);
9252 PackageName = reinterpret_cast<CYString &(*)(Package *, SEL)>(method_getImplementation(class_getInstanceMethod([Package class], @selector(cyname))));
9253
9254 /* Set Locale {{{ */
9255 Locale_ = CFLocaleCopyCurrent();
9256 Languages_ = [NSLocale preferredLanguages];
9257
9258 std::string languages;
9259 const char *translation(NULL);
9260
9261 // XXX: this isn't really a language, but this is compatible with older Cydia builds
9262 if (Locale_ != NULL)
9263 if (const char *language = [(NSString *) CFLocaleGetIdentifier(Locale_) UTF8String]) {
9264 RegEx pattern("([a-z][a-z])(?:-[A-Za-z]*)?(_[A-Z][A-Z])?");
9265 if (pattern(language)) {
9266 translation = strdup([pattern->*@"%1$@%2$@" UTF8String]);
9267 languages += translation;
9268 languages += ",";
9269 }
9270 }
9271
9272 if (Languages_ != nil)
9273 for (NSString *locale : Languages_) {
9274 auto components([NSLocale componentsFromLocaleIdentifier:locale]);
9275 NSString *language([components objectForKey:(id)kCFLocaleLanguageCode]);
9276 if (NSString *script = [components objectForKey:(id)kCFLocaleScriptCode])
9277 language = [NSString stringWithFormat:@"%@-%@", language, script];
9278 languages += [language UTF8String];
9279 languages += ",";
9280 }
9281
9282 languages += "en";
9283 NSLog(@"Setting Language: [%s] %s", translation, languages.c_str());
9284 /* }}} */
9285 /* Index Collation {{{ */
9286 if (Class $UILocalizedIndexedCollation = objc_getClass("UILocalizedIndexedCollation")) { @try {
9287 NSBundle *bundle([NSBundle bundleForClass:$UILocalizedIndexedCollation]);
9288 NSString *path([bundle pathForResource:@"UITableViewLocalizedSectionIndex" ofType:@"plist"]);
9289 //path = @"/System/Library/Frameworks/UIKit.framework/.lproj/UITableViewLocalizedSectionIndex.plist";
9290 NSDictionary *dictionary([NSDictionary dictionaryWithContentsOfFile:path]);
9291 _H<UILocalizedIndexedCollation> collation([[[$UILocalizedIndexedCollation alloc] initWithDictionary:dictionary] autorelease]);
9292
9293 CollationLocale_ = MSHookIvar<NSLocale *>(collation, "_locale");
9294
9295 if (kCFCoreFoundationVersionNumber >= 800 && [[CollationLocale_ localeIdentifier] isEqualToString:@"zh@collation=stroke"]) {
9296 CollationThumbs_ = [NSArray arrayWithObjects:@"1",@"•",@"4",@"•",@"7",@"•",@"10",@"•",@"13",@"•",@"16",@"•",@"19",@"A",@"•",@"E",@"•",@"I",@"•",@"M",@"•",@"R",@"•",@"V",@"•",@"Z",@"#",nil];
9297 for (NSInteger offset : (NSInteger[]) {0,1,3,4,6,7,9,10,12,13,15,16,18,25,26,29,30,33,34,37,38,42,43,46,47,50,51})
9298 CollationOffset_.push_back(offset);
9299 CollationTitles_ = [NSArray arrayWithObjects:@"1 畫",@"2 畫",@"3 畫",@"4 畫",@"5 畫",@"6 畫",@"7 畫",@"8 畫",@"9 畫",@"10 畫",@"11 畫",@"12 畫",@"13 畫",@"14 畫",@"15 畫",@"16 畫",@"17 畫",@"18 畫",@"19 畫",@"20 畫",@"21 畫",@"22 畫",@"23 畫",@"24 畫",@"25 畫以上",@"A",@"B",@"C",@"D",@"E",@"F",@"G",@"H",@"I",@"J",@"K",@"L",@"M",@"N",@"O",@"P",@"Q",@"R",@"S",@"T",@"U",@"V",@"W",@"X",@"Y",@"Z",@"#",nil];
9300 CollationStarts_ = [NSArray arrayWithObjects:@"一",@"丁",@"丈",@"不",@"且",@"丞",@"串",@"並",@"亭",@"乘",@"乾",@"傀",@"亂",@"僎",@"僵",@"儐",@"償",@"叢",@"儳",@"嚴",@"儷",@"儻",@"囌",@"囑",@"廳",@"a",@"b",@"c",@"d",@"e",@"f",@"g",@"h",@"i",@"j",@"k",@"l",@"m",@"n",@"o",@"p",@"q",@"r",@"s",@"t",@"u",@"v",@"w",@"x",@"y",@"z",@"ʒ",nil];
9301 } else {
9302
9303 CollationThumbs_ = [collation sectionIndexTitles];
9304 for (size_t index(0), end([CollationThumbs_ count]); index != end; ++index)
9305 CollationOffset_.push_back([collation sectionForSectionIndexTitleAtIndex:index]);
9306
9307 CollationTitles_ = [collation sectionTitles];
9308 CollationStarts_ = MSHookIvar<NSArray *>(collation, "_sectionStartStrings");
9309
9310 NSString *&transform(MSHookIvar<NSString *>(collation, "_transform"));
9311 if (&transform != NULL && transform != nil) {
9312 /*if ([collation respondsToSelector:@selector(transformedCollationStringForString:)])
9313 CollationModify_ = [=](NSString *value) { return [collation transformedCollationStringForString:value]; };*/
9314 const UChar *uid(reinterpret_cast<const UChar *>([transform cStringUsingEncoding:NSUnicodeStringEncoding]));
9315 UErrorCode code(U_ZERO_ERROR);
9316 CollationTransl_ = utrans_openU(uid, -1, UTRANS_FORWARD, NULL, 0, NULL, &code);
9317 if (!U_SUCCESS(code))
9318 NSLog(@"%s", u_errorName(code));
9319 }
9320
9321 }
9322 } @catch (NSException *e) {
9323 NSLog(@"%@", e);
9324 goto hard;
9325 } } else hard: {
9326 CollationLocale_ = [[[NSLocale alloc] initWithLocaleIdentifier:@"en@collation=dictionary"] autorelease];
9327
9328 CollationThumbs_ = [NSArray arrayWithObjects:@"A",@"B",@"C",@"D",@"E",@"F",@"G",@"H",@"I",@"J",@"K",@"L",@"M",@"N",@"O",@"P",@"Q",@"R",@"S",@"T",@"U",@"V",@"W",@"X",@"Y",@"Z",@"#",nil];
9329 for (NSInteger offset(0); offset != 28; ++offset)
9330 CollationOffset_.push_back(offset);
9331
9332 CollationTitles_ = [NSArray arrayWithObjects:@"A",@"B",@"C",@"D",@"E",@"F",@"G",@"H",@"I",@"J",@"K",@"L",@"M",@"N",@"O",@"P",@"Q",@"R",@"S",@"T",@"U",@"V",@"W",@"X",@"Y",@"Z",@"#",nil];
9333 CollationStarts_ = [NSArray arrayWithObjects:@"a",@"b",@"c",@"d",@"e",@"f",@"g",@"h",@"i",@"j",@"k",@"l",@"m",@"n",@"o",@"p",@"q",@"r",@"s",@"t",@"u",@"v",@"w",@"x",@"y",@"z",@"ʒ",nil];
9334 }
9335 /* }}} */
9336
9337 App_ = [[NSBundle mainBundle] bundlePath];
9338 Advanced_ = YES;
9339
9340 Cache_ = [[NSString stringWithFormat:@"%@/Library/Caches/com.saurik.Cydia", @"/var/mobile"] retain];
9341 mkdir([Cache_ UTF8String], 0755);
9342
9343 /*Method alloc = class_getClassMethod([NSObject class], @selector(alloc));
9344 alloc_ = alloc->method_imp;
9345 alloc->method_imp = (IMP) &Alloc_;*/
9346
9347 /*Method dealloc = class_getClassMethod([NSObject class], @selector(dealloc));
9348 dealloc_ = dealloc->method_imp;
9349 dealloc->method_imp = (IMP) &Dealloc_;*/
9350
9351 void *gestalt(dlopen("/usr/lib/libMobileGestalt.dylib", RTLD_GLOBAL | RTLD_LAZY));
9352 $MGCopyAnswer = reinterpret_cast<CFStringRef (*)(CFStringRef)>(dlsym(gestalt, "MGCopyAnswer"));
9353 UniqueID_ = UniqueIdentifier([UIDevice currentDevice]);
9354
9355 /* System Information {{{ */
9356 size_t size;
9357
9358 int maxproc;
9359 size = sizeof(maxproc);
9360 if (sysctlbyname("kern.maxproc", &maxproc, &size, NULL, 0) == -1)
9361 perror("sysctlbyname(\"kern.maxproc\", ?)");
9362 else if (maxproc < 64) {
9363 maxproc = 64;
9364 if (sysctlbyname("kern.maxproc", NULL, NULL, &maxproc, sizeof(maxproc)) == -1)
9365 perror("sysctlbyname(\"kern.maxproc\", #)");
9366 }
9367 /* }}} */
9368 /* Load Database {{{ */
9369 SectionMap_ = [[[NSDictionary alloc] initWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"Sections" ofType:@"plist"]] autorelease];
9370
9371 _trace();
9372 mkdir("/var/mobile/Library/Cydia", 0755);
9373 MetaFile_.Open("/var/mobile/Library/Cydia/metadata.cb0");
9374 _trace();
9375
9376 Values_ = AutoreleaseDeepMutableCopyOfDictionary(CFPreferencesCopyAppValue(CFSTR("CydiaValues"), CFSTR("com.saurik.Cydia")));
9377 Sections_ = AutoreleaseDeepMutableCopyOfDictionary(CFPreferencesCopyAppValue(CFSTR("CydiaSections"), CFSTR("com.saurik.Cydia")));
9378 Sources_ = AutoreleaseDeepMutableCopyOfDictionary(CFPreferencesCopyAppValue(CFSTR("CydiaSources"), CFSTR("com.saurik.Cydia")));
9379 Version_ = [(NSNumber *) CFPreferencesCopyAppValue(CFSTR("CydiaVersion"), CFSTR("com.saurik.Cydia")) autorelease];
9380
9381 _trace();
9382 NSDictionary *metadata([[[NSMutableDictionary alloc] initWithContentsOfFile:@"/var/lib/cydia/metadata.plist"] autorelease]);
9383
9384 if (Values_ == nil)
9385 Values_ = [metadata objectForKey:@"Values"];
9386 if (Values_ == nil)
9387 Values_ = [[[NSMutableDictionary alloc] initWithCapacity:4] autorelease];
9388
9389 if (Sections_ == nil)
9390 Sections_ = [metadata objectForKey:@"Sections"];
9391 if (Sections_ == nil)
9392 Sections_ = [[[NSMutableDictionary alloc] initWithCapacity:32] autorelease];
9393
9394 if (Sources_ == nil)
9395 Sources_ = [metadata objectForKey:@"Sources"];
9396 if (Sources_ == nil)
9397 Sources_ = [[[NSMutableDictionary alloc] initWithCapacity:0] autorelease];
9398
9399 // XXX: this wrong, but in a way that doesn't matter :/
9400 if (Version_ == nil)
9401 Version_ = [metadata objectForKey:@"Version"];
9402 if (Version_ == nil)
9403 Version_ = [NSNumber numberWithUnsignedInt:0];
9404
9405 if (NSDictionary *packages = [metadata objectForKey:@"Packages"]) {
9406 bool fail(false);
9407 CFDictionaryApplyFunction((CFDictionaryRef) packages, &PackageImport, &fail);
9408 _trace();
9409 if (fail)
9410 NSLog(@"unable to import package preferences... from 2010? oh well :/");
9411 }
9412
9413 if ([Version_ unsignedIntValue] == 0) {
9414 CydiaAddSource(@"http://apt.thebigboss.org/repofiles/cydia/", @"stable", [NSMutableArray arrayWithObject:@"main"]);
9415 CydiaAddSource(@"http://apt.modmyi.com/", @"stable", [NSMutableArray arrayWithObject:@"main"]);
9416 CydiaAddSource(@"http://cydia.zodttd.com/repo/cydia/", @"stable", [NSMutableArray arrayWithObject:@"main"]);
9417 CydiaAddSource(@"http://repo666.ultrasn0w.com/", @"./");
9418
9419 Version_ = [NSNumber numberWithUnsignedInt:1];
9420
9421 if (NSMutableDictionary *cache = [NSMutableDictionary dictionaryWithContentsOfFile:@ CacheState_]) {
9422 [cache removeObjectForKey:@"LastUpdate"];
9423 [cache writeToFile:@ CacheState_ atomically:YES];
9424 }
9425 }
9426
9427 _H<NSMutableArray> broken([NSMutableArray array]);
9428 for (NSString *key in (id) Sources_)
9429 if ([key rangeOfCharacterFromSet:[NSCharacterSet characterSetWithCharactersInString:@"# "]].location != NSNotFound || ![([[Sources_ objectForKey:key] objectForKey:@"URI"] ?: @"/") hasSuffix:@"/"])
9430 [broken addObject:key];
9431 if ([broken count] != 0)
9432 for (NSString *key in (id) broken)
9433 [Sources_ removeObjectForKey:key];
9434 broken = nil;
9435
9436 SaveConfig(nil);
9437 system("/usr/libexec/cydia/cydo /bin/rm -f /var/lib/cydia/metadata.plist");
9438 /* }}} */
9439
9440 Finishes_ = [NSArray arrayWithObjects:@"return", @"reopen", @"restart", @"reload", @"reboot", nil];
9441
9442 if (kCFCoreFoundationVersionNumber > 1000)
9443 system("/usr/libexec/cydia/cydo /usr/libexec/cydia/setnsfpn /var/lib");
9444
9445 int version([[NSString stringWithContentsOfFile:@"/var/lib/cydia/firmware.ver"] intValue]);
9446
9447 if (access("/User", F_OK) != 0 || version != 6) {
9448 _trace();
9449 system("/usr/libexec/cydia/cydo /usr/libexec/cydia/firmware.sh");
9450 _trace();
9451 }
9452
9453 if (access("/tmp/cydia.chk", F_OK) == 0) {
9454 if (unlink([Cache("pkgcache.bin") UTF8String]) == -1)
9455 _assert(errno == ENOENT);
9456 if (unlink([Cache("srcpkgcache.bin") UTF8String]) == -1)
9457 _assert(errno == ENOENT);
9458 }
9459
9460 system("/usr/libexec/cydia/cydo /bin/ln -sf /var/mobile/Library/Caches/com.saurik.Cydia/sources.list /etc/apt/sources.list.d/cydia.list");
9461
9462 /* APT Initialization {{{ */
9463 _assert(pkgInitConfig(*_config));
9464 _assert(pkgInitSystem(*_config, _system));
9465
9466 _config->Set("Acquire::AllowInsecureRepositories", true);
9467 _config->Set("Acquire::Check-Valid-Until", false);
9468
9469 _config->Set("Dir::Bin::Methods", "/Applications/Cydia.app");
9470
9471 _config->Set("pkgCacheGen::ForceEssential", "");
9472
9473 if (translation != NULL)
9474 _config->Set("APT::Acquire::Translation", translation);
9475 _config->Set("Acquire::Languages", languages);
9476
9477 // XXX: this timeout might be important :(
9478 //_config->Set("Acquire::http::Timeout", 15);
9479
9480 int64_t usermem(0);
9481 size = sizeof(usermem);
9482 if (sysctlbyname("hw.usermem", &usermem, &size, NULL, 0) == -1)
9483 usermem = 0;
9484 _config->Set("Acquire::http::MaxParallel", usermem >= 384 * 1024 * 1024 ? 16 : 3);
9485
9486 mkdir([Cache("archives") UTF8String], 0755);
9487 mkdir([Cache("archives/partial") UTF8String], 0755);
9488 _config->Set("Dir::Cache", [Cache_ UTF8String]);
9489
9490 symlink("/var/lib/apt/extended_states", [Cache("extended_states") UTF8String]);
9491 _config->Set("Dir::State", [Cache_ UTF8String]);
9492
9493 mkdir([Cache("lists") UTF8String], 0755);
9494 mkdir([Cache("lists/partial") UTF8String], 0755);
9495 mkdir([Cache("periodic") UTF8String], 0755);
9496 _config->Set("Dir::State::Lists", [Cache("lists") UTF8String]);
9497
9498 std::string logs("/var/mobile/Library/Logs/Cydia");
9499 mkdir(logs.c_str(), 0755);
9500 _config->Set("Dir::Log", logs);
9501
9502 _config->Set("Dir::Bin::dpkg", "/usr/libexec/cydia/cydo");
9503 /* }}} */
9504 /* Color Choices {{{ */
9505 space_ = CGColorSpaceCreateDeviceRGB();
9506
9507 Blue_.Set(space_, 0.2, 0.2, 1.0, 1.0);
9508 Blueish_.Set(space_, 0x19/255.f, 0x32/255.f, 0x50/255.f, 1.0);
9509 Black_.Set(space_, 0.0, 0.0, 0.0, 1.0);
9510 Folder_.Set(space_, 0x8e/255.f, 0x8e/255.f, 0x93/255.f, 1.0);
9511 Off_.Set(space_, 0.9, 0.9, 0.9, 1.0);
9512 White_.Set(space_, 1.0, 1.0, 1.0, 1.0);
9513 Gray_.Set(space_, 0.4, 0.4, 0.4, 1.0);
9514 Green_.Set(space_, 0.0, 0.5, 0.0, 1.0);
9515 Purple_.Set(space_, 0.0, 0.0, 0.7, 1.0);
9516 Purplish_.Set(space_, 0.4, 0.4, 0.8, 1.0);
9517
9518 InstallingColor_ = [UIColor colorWithRed:0.88f green:1.00f blue:0.88f alpha:1.00f];
9519 RemovingColor_ = [UIColor colorWithRed:1.00f green:0.88f blue:0.88f alpha:1.00f];
9520 /* }}}*/
9521 /* UIKit Configuration {{{ */
9522 // XXX: I have a feeling this was important
9523 //UIKeyboardDisableAutomaticAppearance();
9524 /* }}} */
9525
9526 $SBSSetInterceptsMenuButtonForever = reinterpret_cast<void (*)(bool)>(dlsym(RTLD_DEFAULT, "SBSSetInterceptsMenuButtonForever"));
9527 $SBSCopyIconImagePNGDataForDisplayIdentifier = reinterpret_cast<NSData *(*)(NSString *)>(dlsym(RTLD_DEFAULT, "SBSCopyIconImagePNGDataForDisplayIdentifier"));
9528
9529 const char *symbol(kCFCoreFoundationVersionNumber >= 800 ? "MGGetBoolAnswer" : "GSSystemHasCapability");
9530 BOOL (*GSSystemHasCapability)(CFStringRef) = reinterpret_cast<BOOL (*)(CFStringRef)>(dlsym(RTLD_DEFAULT, symbol));
9531 bool fast = GSSystemHasCapability != NULL && GSSystemHasCapability(CFSTR("armv7"));
9532
9533 PulseInterval_ = fast ? 50000 : 500000;
9534
9535 Colon_ = UCLocalize("COLON_DELIMITED");
9536 Elision_ = UCLocalize("ELISION");
9537 Error_ = UCLocalize("ERROR");
9538 Warning_ = UCLocalize("WARNING");
9539
9540 _trace();
9541 int value(UIApplicationMain(argc, argv, @"Cydia", @"Cydia"));
9542
9543 CGColorSpaceRelease(space_);
9544 CFRelease(Locale_);
9545
9546 [pool release];
9547 return value;
9548}