[new downloader][ios] Updated ui for new downloader.

This commit is contained in:
Ilya Grechuhin 2016-02-03 14:24:40 +03:00 committed by Sergey Yershov
parent 51c9c43d0c
commit 5cc7c09e7f
106 changed files with 2122 additions and 3279 deletions

View file

@ -1,5 +0,0 @@
#import "DownloaderParentVC.h"
@interface ActiveMapsVC : DownloaderParentVC
@end

View file

@ -1,420 +0,0 @@
#import "ActiveMapsVC.h"
#import "BadgeView.h"
#import "Common.h"
#import "MapCell.h"
#import "Statistics.h"
#import "UIColor+MapsMeColor.h"
extern NSString * const MapsStatusChangedNotification;
@interface ActiveMapsVC () <ActiveMapsObserverProtocol>
@property (nonatomic) BadgeView * outOfDateBadge;
@property (nonatomic) ActiveMapsLayout::TGroup selectedGroup;
@end
@implementation ActiveMapsVC
{
ActiveMapsObserver * m_mapsObserver;
int m_mapsObserverSlotId;
}
- (id)init
{
self = [super init];
self.title = L(@"downloader_downloaded_maps");
__weak ActiveMapsVC * weakSelf = self;
m_mapsObserver = new ActiveMapsObserver(weakSelf);
m_mapsObserverSlotId = self.mapsLayout.AddListener(m_mapsObserver);
return self;
}
- (void)dealloc
{
[[NSNotificationCenter defaultCenter] removeObserver:self];
}
- (void)viewDidLoad
{
[super viewDidLoad];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(outOfDateCountriesCountChanged:) name:MapsStatusChangedNotification object:nil];
}
- (void)viewWillDisappear:(BOOL)animated
{
[super viewWillDisappear:animated];
if (self.isMovingFromParentViewController)
self.mapsLayout.RemoveListener(m_mapsObserverSlotId);
}
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
[self refreshTopRightButton];
}
- (void)outOfDateCountriesCountChanged:(NSNotification *)notification
{
self.outOfDateBadge.value = [[notification userInfo][@"OutOfDate"] integerValue];
}
- (void)refreshTopRightButton
{
UIBarButtonItem * item;
if (self.mapsLayout.IsDownloadingActive())
item = [[UIBarButtonItem alloc] initWithTitle:L(@"downloader_cancel_all") style:UIBarButtonItemStylePlain target:self action:@selector(cancelAllMaps:)];
else if (self.mapsLayout.GetOutOfDateCount() > 0)
item = [[UIBarButtonItem alloc] initWithTitle:L(@"downloader_update_all") style:UIBarButtonItemStylePlain target:self action:@selector(updateAllMaps:)];
[self.navigationItem setRightBarButtonItem:item animated:YES];
}
- (void)updateAllMaps:(id)sender
{
self.mapsLayout.UpdateAll();
}
- (void)cancelAllMaps:(id)sender
{
self.mapsLayout.CancelAll();
}
#pragma mark - Helpers
- (ActiveMapsLayout &)mapsLayout
{
return GetFramework().GetCountryTree().GetActiveMapLayout();
}
- (ActiveMapsLayout::TGroup)groupWithSection:(NSInteger)section
{
ASSERT(section < (NSInteger)ActiveMapsLayout::TGroup::EGroupCount, ());
return static_cast<ActiveMapsLayout::TGroup>(section);
}
- (MapCell *)cellAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group
{
return (MapCell *)[self.tableView cellForRowAtIndexPath:[NSIndexPath indexPathForRow:position inSection:(NSInteger)group]];
}
- (void)markSelectedMapIndexPath:(NSIndexPath *)indexPath
{
self.selectedPosition = static_cast<int>(indexPath.row);
self.selectedGroup = [self groupWithSection:indexPath.section];
}
- (void)configureSizeLabelOfMapCell:(MapCell *)cell position:(int)position group:(ActiveMapsLayout::TGroup const &)group status:(TStatus const &)status options:(MapOptions const &)options
{
if (status == TStatus::ENotDownloaded)
{
LocalAndRemoteSizeT const size = self.mapsLayout.GetRemoteCountrySizes(group, position);
cell.sizeLabel.text = formattedSize(size.first);
}
else if (status == TStatus::EOnDisk || status == TStatus::EOnDiskOutOfDate)
cell.sizeLabel.text = formattedSize(self.mapsLayout.GetCountrySize(group, position, options).second);
else if (status == TStatus::EOutOfMemFailed || status == TStatus::EDownloadFailed || status == TStatus::EDownloading || status == TStatus::EInQueue)
cell.sizeLabel.text = formattedSize(self.mapsLayout.GetDownloadableCountrySize(group, position).second);
}
#pragma mark - DownloaderParentVC virtual methods implementation
- (NSString *)parentTitle
{
return nil;
}
- (NSString *)selectedMapName
{
return @(self.mapsLayout.GetCountryName(self.selectedGroup, self.selectedPosition).c_str());
}
- (uint64_t)selectedMapSizeWithOptions:(MapOptions)options
{
return self.mapsLayout.GetCountrySize(self.selectedGroup, self.selectedPosition, options).second;
}
- (TStatus)selectedMapStatus
{
return self.mapsLayout.GetCountryStatus(self.selectedGroup, self.selectedPosition);
}
- (MapOptions)selectedMapOptions
{
return self.mapsLayout.GetCountryOptions(self.selectedGroup, self.selectedPosition);
}
- (void)performAction:(DownloaderAction)action withSizeCheck:(BOOL)check
{
switch (action)
{
case DownloaderActionDownloadMap:
if (check == NO || [self canDownloadSelectedMap])
self.mapsLayout.DownloadMap(self.selectedGroup, self.selectedPosition, self.selectedInActionSheetOptions);
break;
case DownloaderActionDeleteMap:
self.mapsLayout.DeleteMap(self.selectedGroup, self.selectedPosition, self.selectedInActionSheetOptions);
break;
case DownloaderActionCancelDownloading:
self.mapsLayout.CancelDownloading(self.selectedGroup, self.selectedPosition);
break;
case DownloaderActionZoomToCountry:
self.mapsLayout.ShowMap(self.selectedGroup, self.selectedPosition);
[[Statistics instance] logEvent:@"Show Map From Download Countries Screen"];
[self.navigationController popToRootViewControllerAnimated:YES];
break;
}
}
#pragma mark - TableView
- (UIView *)tableView:(UITableView *)tableView viewForHeaderInSection:(NSInteger)section
{
ActiveMapsLayout::TGroup const group = [self groupWithSection:section];
if (group == ActiveMapsLayout::TGroup::ENewMap)
return nil;
UIView * view = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 300, 40)];
view.clipsToBounds = YES;
UILabel * label = [[UILabel alloc] initWithFrame:view.bounds];
label.font = [UIFont fontWithName:@"HelveticaNeue" size:13];
label.backgroundColor = [UIColor clearColor];
label.textColor = [UIColor blackPrimaryText];
if (group == ActiveMapsLayout::TGroup::EOutOfDate)
label.text = L(@"downloader_outdated_maps").uppercaseString;
else if (group == ActiveMapsLayout::TGroup::EUpToDate)
label.text = L(@"downloader_uptodate_maps").uppercaseString;
[label sizeToIntegralFit];
[view addSubview:label];
label.minX = 13;
label.maxY = view.height - 5;
if (group == ActiveMapsLayout::TGroup::EOutOfDate)
{
BadgeView * badge = [[BadgeView alloc] init];
badge.value = self.mapsLayout.GetOutOfDateCount();
badge.center = CGPointMake(label.maxX + badge.width - 3, label.midY - 1.0 / [UIScreen mainScreen].scale);
[view addSubview:badge];
self.outOfDateBadge = badge;
}
return view;
}
- (CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section
{
ActiveMapsLayout::TGroup const group = [self groupWithSection:section];
if (group == ActiveMapsLayout::TGroup::EOutOfDate || group == ActiveMapsLayout::TGroup::EUpToDate)
return self.mapsLayout.GetCountInGroup(group) == 0 ? 0.001 : 42;
else
return 0.001;
}
- (CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section
{
return 0.001;
}
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
return (NSInteger)ActiveMapsLayout::TGroup::EGroupCount;
}
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
return self.mapsLayout.GetCountInGroup([self groupWithSection:section]);
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
MapCell * cell = [tableView dequeueReusableCellWithIdentifier:[MapCell className]];
if (!cell)
cell = [[MapCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:[MapCell className]];
int const position = static_cast<int const>(indexPath.row);
ActiveMapsLayout::TGroup const group = [self groupWithSection:indexPath.section];
TStatus const status = self.mapsLayout.GetCountryStatus(group, position);
MapOptions const options = self.mapsLayout.GetCountryOptions(group, position);
NSInteger const numberOfRows = [self tableView:tableView numberOfRowsInSection:indexPath.section];
BOOL const isLast = (indexPath.row == numberOfRows - 1);
BOOL const isFirst = (indexPath.row == 0);
cell.titleLabel.text = @(self.mapsLayout.GetCountryName(group, position).c_str());
cell.parentMode = NO;
cell.status = status;
cell.options = options;
cell.delegate = self;
cell.badgeView.value = 0;
cell.separatorTop.hidden = !isFirst;
cell.separatorBottom.hidden = !isLast;
cell.separator.hidden = isLast;
if (status == TStatus::EOutOfMemFailed || status == TStatus::EDownloadFailed || status == TStatus::EDownloading || status == TStatus::EInQueue)
{
LocalAndRemoteSizeT const size = self.mapsLayout.GetDownloadableCountrySize(group, position);
cell.downloadProgress = (double)size.first / size.second;
}
[self configureSizeLabelOfMapCell:cell position:position group:group status:status options:options];
return cell;
}
- (void)updateAllCellsSeprators
{
NSInteger numberOfSection = [self numberOfSectionsInTableView:self.tableView];
for (NSInteger section = 0; section < numberOfSection; section++)
{
NSInteger numberOfRows = [self tableView:self.tableView numberOfRowsInSection:section];
for (NSInteger row = 0; row < numberOfRows; row++)
{
NSIndexPath *indexPath = [NSIndexPath indexPathForRow:row inSection:section];
[self updateSeparatorsForCellAtIndexPath:indexPath];
}
}
}
- (void)updateSeparatorsForCellAtIndexPath:(NSIndexPath *)indexPath
{
MapCell * cell = (MapCell *)[self.tableView cellForRowAtIndexPath:indexPath];
NSInteger const numberOfRows = [self tableView:self.tableView numberOfRowsInSection:indexPath.section];
BOOL const isLast = (indexPath.row == numberOfRows - 1);
BOOL const isFirst = (indexPath.row == 0);
cell.separatorTop.hidden = !isFirst;
cell.separatorBottom.hidden = !isLast;
cell.separator.hidden = isLast;
}
- (BOOL)tableView:(UITableView *)tableView canEditRowAtIndexPath:(NSIndexPath *)indexPath
{
TStatus const status = self.mapsLayout.GetCountryStatus([self groupWithSection:indexPath.section], static_cast<int>(indexPath.row));
return status == TStatus::EOnDisk || status == TStatus::EOnDiskOutOfDate;
}
- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath
{
if (editingStyle == UITableViewCellEditingStyleDelete)
{
int const position = static_cast<int const>(indexPath.row);
ActiveMapsLayout::TGroup const group = [self groupWithSection:indexPath.section];
MapOptions const options = self.mapsLayout.GetCountryOptions(group, position);
self.mapsLayout.DeleteMap(group, position, options);
[tableView setEditing:NO animated:YES];
[self updateAllCellsSeprators];
}
}
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
[tableView deselectRowAtIndexPath:indexPath animated:YES];
[self markSelectedMapIndexPath:indexPath];
switch ([self selectedMapStatus])
{
case TStatus::ENotDownloaded:
case TStatus::EDownloadFailed:
case TStatus::EOutOfMemFailed:
[self performAction:DownloaderActionDownloadMap withSizeCheck:NO];
break;
case TStatus::EDownloading:
case TStatus::EInQueue:
[self performAction:DownloaderActionCancelDownloading withSizeCheck:NO];
break;
default:
{
MapCell * cell = [self cellAtPosition:self.selectedPosition inGroup:self.selectedGroup];
UIActionSheet * actionSheet = [self actionSheetToPerformActionOnSelectedMap];
[actionSheet showFromRect:cell.frame inView:cell.superview animated:YES];
break;
}
}
}
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
return [MapCell cellHeight];
}
#pragma mark - MapCellDelegate
- (void)mapCellDidStartDownloading:(MapCell *)cell
{
[self markSelectedMapIndexPath:[self.tableView indexPathForCell:cell]];
TStatus const status = [self selectedMapStatus];
if (status == TStatus::EDownloadFailed || status == TStatus::EOutOfMemFailed)
if ([self canDownloadSelectedMap])
self.mapsLayout.RetryDownloading(self.selectedGroup, self.selectedPosition);
}
- (void)mapCellDidCancelDownloading:(MapCell *)cell
{
NSIndexPath * indexPath = [self.tableView indexPathForCell:cell];
self.selectedPosition = static_cast<int>(indexPath.row);
self.selectedGroup = [self groupWithSection:indexPath.section];
[[self actionSheetToCancelDownloadingSelectedMap] showFromRect:cell.frame inView:cell.superview animated:YES];
}
#pragma mark - ActiveMaps core callbacks
- (void)countryStatusChangedAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group
{
[self refreshTopRightButton];
MapCell * cell = [self cellAtPosition:position inGroup:group];
TStatus const status = self.mapsLayout.GetCountryStatus(group, position);
MapOptions const options = self.mapsLayout.GetCountryOptions(group, position);
[self configureSizeLabelOfMapCell:cell position:position group:group status:status options:options];
[cell setStatus:self.mapsLayout.GetCountryStatus(group, position) options:self.mapsLayout.GetCountryOptions(group, position) animated:YES];
self.outOfDateBadge.value = self.mapsLayout.GetOutOfDateCount();
}
- (void)countryOptionsChangedAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group
{
MapCell * cell = [self cellAtPosition:position inGroup:group];
TStatus const status = self.mapsLayout.GetCountryStatus(group, position);
MapOptions const options = self.mapsLayout.GetCountryOptions(group, position);
[self configureSizeLabelOfMapCell:cell position:position group:group status:status options:options];
[cell setStatus:self.mapsLayout.GetCountryStatus(group, position) options:self.mapsLayout.GetCountryOptions(group, position) animated:YES];
}
- (void)countryGroupChangedFromPosition:(int)oldPosition inGroup:(ActiveMapsLayout::TGroup const &)oldGroup toPosition:(int)newPosition inGroup:(ActiveMapsLayout::TGroup const &)newGroup
{
if (oldGroup == newGroup && oldPosition == -1)
{
NSIndexPath * indexPath = [NSIndexPath indexPathForRow:newPosition inSection:(NSInteger)newGroup];
[self.tableView insertRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationAutomatic];
}
else if (oldGroup == newGroup && newPosition == -1)
{
NSIndexPath * indexPath = [NSIndexPath indexPathForRow:oldPosition inSection:(NSInteger)oldGroup];
[self.tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationAutomatic];
}
else if (oldGroup != newGroup && oldPosition >= 0 && newPosition >= 0)
{
NSIndexPath * oldIndexPath = [NSIndexPath indexPathForRow:oldPosition inSection:(NSInteger)oldGroup];
NSIndexPath * newIndexPath = [NSIndexPath indexPathForRow:newPosition inSection:(NSInteger)newGroup];
[self.tableView moveRowAtIndexPath:oldIndexPath toIndexPath:newIndexPath];
}
[self updateAllCellsSeprators];
}
- (void)countryDownloadingProgressChanged:(LocalAndRemoteSizeT const &)progress atPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group
{
MapCell * cell = [self cellAtPosition:position inGroup:group];
[cell setDownloadProgress:((double)progress.first / progress.second) animated:YES];
}
@end

View file

@ -34,7 +34,6 @@ static inline CGFloat LengthCGPoint(CGPoint point)
+ (UIColor *)applicationColor;
+ (UIColor *)navigationBarColor;
@end
@interface UIView (Coordinates)

View file

@ -321,193 +321,6 @@
@end
#import <objc/runtime.h>
static const void * UIAlertViewOriginalDelegateKey = & UIAlertViewOriginalDelegateKey;
static const void * UIAlertViewTapBlockKey = & UIAlertViewTapBlockKey;
static const void * UIAlertViewWillPresentBlockKey = & UIAlertViewWillPresentBlockKey;
static const void * UIAlertViewDidPresentBlockKey = & UIAlertViewDidPresentBlockKey;
static const void * UIAlertViewWillDismissBlockKey = & UIAlertViewWillDismissBlockKey;
static const void * UIAlertViewDidDismissBlockKey = & UIAlertViewDidDismissBlockKey;
static const void * UIAlertViewCancelBlockKey = & UIAlertViewCancelBlockKey;
static const void * UIAlertViewShouldEnableFirstOtherButtonBlockKey = & UIAlertViewShouldEnableFirstOtherButtonBlockKey;
@implementation UIAlertView (Blocks)
- (void)_checkAlertViewDelegate
{
if (self.delegate != (id<UIAlertViewDelegate>)self)
{
objc_setAssociatedObject(self, UIAlertViewOriginalDelegateKey, self.delegate, OBJC_ASSOCIATION_ASSIGN);
self.delegate = (id <UIAlertViewDelegate>)self;
}
}
- (MWMAlertViewCompletionBlock)tapBlock
{
return objc_getAssociatedObject(self, UIAlertViewTapBlockKey);
}
- (void)setTapBlock:(MWMAlertViewCompletionBlock)tapBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewTapBlockKey, tapBlock, OBJC_ASSOCIATION_COPY);
}
- (MWMAlertViewCompletionBlock)willDismissBlock
{
return objc_getAssociatedObject(self, UIAlertViewWillDismissBlockKey);
}
- (void)setWillDismissBlock:(MWMAlertViewCompletionBlock)willDismissBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewWillDismissBlockKey, willDismissBlock, OBJC_ASSOCIATION_COPY);
}
- (MWMAlertViewCompletionBlock)didDismissBlock
{
return objc_getAssociatedObject(self, UIAlertViewDidDismissBlockKey);
}
- (void)setDidDismissBlock:(MWMAlertViewCompletionBlock)didDismissBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewDidDismissBlockKey, didDismissBlock, OBJC_ASSOCIATION_COPY);
}
- (MWMAlertViewBlock)willPresentBlock
{
return objc_getAssociatedObject(self, UIAlertViewWillPresentBlockKey);
}
- (void)setWillPresentBlock:(MWMAlertViewBlock)willPresentBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewWillPresentBlockKey, willPresentBlock, OBJC_ASSOCIATION_COPY);
}
- (MWMAlertViewBlock)didPresentBlock
{
return objc_getAssociatedObject(self, UIAlertViewDidPresentBlockKey);
}
- (void)setDidPresentBlock:(MWMAlertViewBlock)didPresentBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewDidPresentBlockKey, didPresentBlock, OBJC_ASSOCIATION_COPY);
}
- (MWMAlertViewBlock)cancelBlock
{
return objc_getAssociatedObject(self, UIAlertViewCancelBlockKey);
}
- (void)setCancelBlock:(MWMAlertViewBlock)cancelBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewCancelBlockKey, cancelBlock, OBJC_ASSOCIATION_COPY);
}
- (void)setShouldEnableFirstOtherButtonBlock:(BOOL(^)(UIAlertView * alertView))shouldEnableFirstOtherButtonBlock
{
[self _checkAlertViewDelegate];
objc_setAssociatedObject(self, UIAlertViewShouldEnableFirstOtherButtonBlockKey, shouldEnableFirstOtherButtonBlock, OBJC_ASSOCIATION_COPY);
}
- (BOOL(^)(UIAlertView * alertView))shouldEnableFirstOtherButtonBlock
{
return objc_getAssociatedObject(self, UIAlertViewShouldEnableFirstOtherButtonBlockKey);
}
#pragma mark - UIAlertViewDelegate
- (void)willPresentAlertView:(UIAlertView *)alertView
{
MWMAlertViewBlock block = alertView.willPresentBlock;
if (block)
block(alertView);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(willPresentAlertView:)])
[originalDelegate willPresentAlertView:alertView];
}
- (void)didPresentAlertView:(UIAlertView *)alertView
{
MWMAlertViewBlock block = alertView.didPresentBlock;
if (block)
block(alertView);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(didPresentAlertView:)])
[originalDelegate didPresentAlertView:alertView];
}
- (void)alertViewCancel:(UIAlertView *)alertView {
MWMAlertViewBlock block = alertView.cancelBlock;
if (block)
block(alertView);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(alertViewCancel:)])
[originalDelegate alertViewCancel:alertView];
}
- (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex {
MWMAlertViewCompletionBlock completion = alertView.tapBlock;
if (completion)
completion(alertView, buttonIndex);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(alertView:clickedButtonAtIndex:)])
[originalDelegate alertView:alertView clickedButtonAtIndex:buttonIndex];
}
- (void)alertView:(UIAlertView *)alertView willDismissWithButtonIndex:(NSInteger)buttonIndex {
MWMAlertViewCompletionBlock completion = alertView.willDismissBlock;
if (completion)
completion(alertView, buttonIndex);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(alertView:willDismissWithButtonIndex:)])
[originalDelegate alertView:alertView willDismissWithButtonIndex:buttonIndex];
}
- (void)alertView:(UIAlertView *)alertView didDismissWithButtonIndex:(NSInteger)buttonIndex
{
MWMAlertViewCompletionBlock completion = alertView.didDismissBlock;
if (completion)
completion(alertView, buttonIndex);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(alertView:didDismissWithButtonIndex:)])
[originalDelegate alertView:alertView didDismissWithButtonIndex:buttonIndex];
}
- (BOOL)alertViewShouldEnableFirstOtherButton:(UIAlertView *)alertView
{
BOOL(^shouldEnableFirstOtherButtonBlock)(UIAlertView * alertView) = alertView.shouldEnableFirstOtherButtonBlock;
if (shouldEnableFirstOtherButtonBlock)
return shouldEnableFirstOtherButtonBlock(alertView);
id originalDelegate = objc_getAssociatedObject(self, UIAlertViewOriginalDelegateKey);
if (originalDelegate && [originalDelegate respondsToSelector:@selector(alertViewShouldEnableFirstOtherButton:)])
return [originalDelegate alertViewShouldEnableFirstOtherButton:alertView];
return YES;
}
@end
@implementation UINavigationController (Autorotate)
- (BOOL)shouldAutorotate

View file

@ -1,8 +0,0 @@
#import <UIKit/UIKit.h>
@interface BadgeView : UIImageView
@property (nonatomic) NSInteger value;
@end

View file

@ -1,33 +0,0 @@
#import "BadgeView.h"
#import "UIColor+MapsMeColor.h"
#import "UIFont+MapsMeFonts.h"
@implementation BadgeView
- (void)setValue:(NSInteger)value
{
[self.subviews makeObjectsPerformSelector:@selector(removeFromSuperview)];
self.hidden = value == 0;
UIFont * font = [UIFont regular10];
UIImage * image = [UIImage imageNamed:@"Badge"];
CGFloat const textWidth = [@(value).stringValue sizeWithDrawSize:CGSizeMake(100, 20) font:font].width;
CGFloat const offset = 4;
CGFloat const imageDiameter = image.size.width;
self.size = CGSizeMake(MAX(textWidth + 2 * offset, imageDiameter), imageDiameter);
self.image = [image resizableImageWithCapInsets:UIEdgeInsetsMake(imageDiameter / 2, imageDiameter / 2, imageDiameter / 2, imageDiameter / 2)];
UILabel * label = [[UILabel alloc] initWithFrame:CGRectMake(offset, 0, textWidth, self.height)];
label.backgroundColor = [UIColor clearColor];
label.textAlignment = NSTextAlignmentCenter;
label.textColor = [UIColor white];
label.font = font;
label.text = @(value).stringValue;
label.center = CGPointMake(self.width / 2, self.height / 2);
[self addSubview:label];
_value = value;
}
@end

View file

@ -10,14 +10,14 @@
- (nonnull instancetype)initWithViewController:(nonnull UIViewController *)viewController;
- (void)presentAlert:(routing::IRouter::ResultCode)type;
- (void)presentDownloaderAlertWithCountries:(vector<storage::TIndex> const &)countries
routes:(vector<storage::TIndex> const &)routes
- (void)presentDownloaderAlertWithCountries:(storage::TCountriesVec const &)countries
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(nonnull TMWMVoidBlock)block;
- (void)presentRateAlert;
- (void)presentFacebookAlert;
- (void)presentPoint2PointAlertWithOkBlock:(nonnull TMWMVoidBlock)block needToRebuild:(BOOL)needToRebuild;
- (void)presentNeedMigrationAlertWithOkBlock:(nonnull TMWMVoidBlock)block;
- (void)presentUpdateMapsAlertWithOkBlock:(nonnull TMWMVoidBlock)block;
- (void)presentRoutingDisclaimerAlert;
- (void)presentDisabledLocationAlert;
- (void)presentLocationAlert;

View file

@ -66,11 +66,6 @@ static NSString * const kAlertControllerNibIdentifier = @"MWMAlertViewController
[self displayAlert:[MWMAlert point2PointAlertWithOkBlock:block needToRebuild:needToRebuild]];
}
- (void)presentNeedMigrationAlertWithOkBlock:(nonnull TMWMVoidBlock)block
{
[self displayAlert:[MWMAlert needMigrationAlertWithOkBlock:block]];
}
- (void)presentFacebookAlert
{
[self displayAlert:MWMAlert.facebookAlert];
@ -106,8 +101,13 @@ static NSString * const kAlertControllerNibIdentifier = @"MWMAlertViewController
[self displayAlert:[MWMAlert invalidUserNameOrPasswordAlert]];
}
- (void)presentDownloaderAlertWithCountries:(vector<storage::TIndex> const &)countries
routes:(vector<storage::TIndex> const &)routes
- (void)presentUpdateMapsAlertWithOkBlock:(nonnull TMWMVoidBlock)block
{
[self displayAlert:[MWMAlert updateMapsAlertWithOkBlock:block]];
}
- (void)presentDownloaderAlertWithCountries:(storage::TCountriesVec const &)countries
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(TMWMVoidBlock)block
{

View file

@ -7,8 +7,8 @@
@property (weak, nonatomic) MWMAlertViewController * alertController;
+ (MWMAlert *)alert:(routing::IRouter::ResultCode)type;
+ (MWMAlert *)downloaderAlertWithAbsentCountries:(vector<storage::TIndex> const &)countries
routes:(vector<storage::TIndex> const &)routes
+ (MWMAlert *)downloaderAlertWithAbsentCountries:(storage::TCountriesVec const &)countries
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(TMWMVoidBlock)block;
+ (MWMAlert *)rateAlert;
@ -23,7 +23,7 @@
+ (MWMAlert *)internalErrorAlert;
+ (MWMAlert *)invalidUserNameOrPasswordAlert;
+ (MWMAlert *)point2PointAlertWithOkBlock:(TMWMVoidBlock)block needToRebuild:(BOOL)needToRebuild;
+ (MWMAlert *)needMigrationAlertWithOkBlock:(TMWMVoidBlock)block;
+ (MWMAlert *)updateMapsAlertWithOkBlock:(TMWMVoidBlock)block;
- (void)close;
- (void)setNeedsCloseAlertAfterEnterBackground;

View file

@ -8,6 +8,7 @@
#import "MWMPedestrianShareAlert.h"
#import "MWMRateAlert.h"
#import "MWMRoutingDisclaimerAlert.h"
#import "MWMUpdateMapsAlert.h"
@implementation MWMAlert
@ -31,11 +32,6 @@
return [MWMDefaultAlert point2PointAlertWithOkBlock:block needToRebuild:needToRebuild];
}
+ (MWMAlert *)needMigrationAlertWithOkBlock:(TMWMVoidBlock)block
{
return [MWMDefaultAlert needMigrationAlertWithOkBlock:block];
}
+ (MWMAlert *)routingDisclaimerAlertWithInitialOrientation:(UIInterfaceOrientation)orientation
{
return [MWMRoutingDisclaimerAlert alertWithInitialOrientation:orientation];
@ -61,8 +57,8 @@
return [MWMDefaultAlert locationServiceNotSupportedAlert];
}
+ (MWMAlert *)downloaderAlertWithAbsentCountries:(vector<storage::TIndex> const &)countries
routes:(vector<storage::TIndex> const &)routes
+ (MWMAlert *)downloaderAlertWithAbsentCountries:(storage::TCountriesVec const &)countries
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(TMWMVoidBlock)block
{

View file

@ -16,6 +16,5 @@
+ (instancetype)noConnectionAlert;
+ (instancetype)locationServiceNotSupportedAlert;
+ (instancetype)point2PointAlertWithOkBlock:(TMWMVoidBlock)block needToRebuild:(BOOL)needToRebuild;
+ (instancetype)needMigrationAlertWithOkBlock:(TMWMVoidBlock)block;
@end

View file

@ -136,15 +136,6 @@ static NSString * const kDefaultAlertNibName = @"MWMDefaultAlert";
}
}
+ (instancetype)needMigrationAlertWithOkBlock:(TMWMVoidBlock)block
{
return [self defaultAlertWithTitle:@"youve_been_asking"
message:@"migrate_and_split_mwms_message"
rightButtonTitle:@"delete_all"
leftButtonTitle:@"not_now"
rightButtonAction:block];
}
+ (instancetype)defaultAlertWithTitle:(nonnull NSString *)title message:(nullable NSString *)message rightButtonTitle:(nonnull NSString *)rightButtonTitle leftButtonTitle:(nullable NSString *)leftButtonTitle rightButtonAction:(nullable TMWMVoidBlock)action
{
[[Statistics instance] logEvent:kStatisticsEvent withParameters:@{kStatAction : kStatOpen}];

View file

@ -5,8 +5,8 @@
@interface MWMDownloadTransitMapAlert : MWMAlert
+ (instancetype)downloaderAlertWithMaps:(vector<storage::TIndex> const &)maps
routes:(vector<storage::TIndex> const &)routes
+ (instancetype)downloaderAlertWithMaps:(storage::TCountriesVec const &)maps
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(TMWMVoidBlock)block;
- (void)showDownloadDetail:(UIButton *)sender;

View file

@ -1,4 +1,3 @@
#import "ActiveMapsVC.h"
#import "Common.h"
#import "MWMAlertViewController.h"
#import "MWMDownloaderDialogCell.h"
@ -8,30 +7,34 @@
#import "UIColor+MapsMeColor.h"
#import "UILabel+RuntimeAttributes.h"
#include "Framework.h"
@interface MWMDownloaderEntity : NSObject
@property (copy, nonatomic) NSArray * titles;
@property (copy, nonatomic) NSString * size;
@property (nonatomic) BOOL isMapsFiles;
- (instancetype)initWithIndexes:(vector<storage::TIndex> const &)indexes isMaps:(BOOL)isMaps;
- (instancetype)initWithIndexes:(storage::TCountriesVec const &)countriesVec isMaps:(BOOL)isMaps;
@end
@implementation MWMDownloaderEntity
- (instancetype)initWithIndexes:(vector<storage::TIndex> const &)indexes isMaps:(BOOL)isMaps
- (instancetype)initWithIndexes:(storage::TCountriesVec const &)countriesVec isMaps:(BOOL)isMaps
{
self = [super init];
if (self)
{
auto & a = GetFramework().GetCountryTree().GetActiveMapLayout();
NSMutableArray * titles = [@[] mutableCopy];
uint64_t totalRoutingSize = 0;
for (auto const & i : indexes)
size_t totalRoutingSize = 0;
auto & s = GetFramework().Storage();
for (auto const & countryId : countriesVec)
{
[titles addObject:@(a.GetCountryName(i).c_str())];
totalRoutingSize += a.GetCountrySize(i, isMaps ? MapOptions::MapWithCarRouting : MapOptions::CarRouting).second;
storage::NodeAttrs attrs;
s.GetNodeAttrs(countryId, attrs);
[titles addObject:@(attrs.m_nodeLocalName.c_str())];
totalRoutingSize += attrs.m_mwmSize;
}
self.isMapsFiles = isMaps;
self.titles = titles;
@ -61,8 +64,8 @@ static NSString * const kStatisticsEvent = @"Map download Alert";
@interface MWMDownloadTransitMapAlert ()
{
vector<storage::TIndex> maps;
vector<storage::TIndex> routes;
storage::TCountriesVec maps;
storage::TCountriesVec routes;
}
@property (weak, nonatomic) IBOutlet UILabel * titleLabel;
@ -83,8 +86,8 @@ static NSString * const kStatisticsEvent = @"Map download Alert";
@implementation MWMDownloadTransitMapAlert
+ (instancetype)downloaderAlertWithMaps:(vector<storage::TIndex> const &)maps
routes:(vector<storage::TIndex> const &)routes
+ (instancetype)downloaderAlertWithMaps:(storage::TCountriesVec const &)maps
routes:(storage::TCountriesVec const &)routes
code:(routing::IRouter::ResultCode)code
block:(TMWMVoidBlock)block
{
@ -114,7 +117,7 @@ static NSString * const kStatisticsEvent = @"Map download Alert";
return alert;
}
+ (instancetype)alertWithMaps:(vector<storage::TIndex> const &)maps routes:(vector<storage::TIndex> const &)routes
+ (instancetype)alertWithMaps:(storage::TCountriesVec const &)maps routes:(storage::TCountriesVec const &)routes
{
MWMDownloadTransitMapAlert * alert = [[[NSBundle mainBundle] loadNibNamed:kDownloadTransitMapAlertNibName owner:nil options:nil] firstObject];
NSMutableArray * missedFiles = [@[] mutableCopy];
@ -160,8 +163,6 @@ static NSString * const kStatisticsEvent = @"Map download Alert";
{
self.downloaderBlock();
[self close];
ActiveMapsVC * activeMapsViewController = [[ActiveMapsVC alloc] init];
[self.alertController.ownerViewController.navigationController pushViewController:activeMapsViewController animated:YES];
}
- (void)showDownloadDetail:(UIButton *)sender

View file

@ -0,0 +1,7 @@
#import "MWMAlert.h"
@interface MWMUpdateMapsAlert : MWMAlert
+ (instancetype)alertWithOkBlock:(TMWMVoidBlock)block;
@end

View file

@ -0,0 +1,93 @@
#import "Common.h"
#import "MWMUpdateMapsAlert.h"
#import "Statistics.h"
static NSString * const kUpdateMapsAlertEventName = @"updateMapsAlertEvent";
static NSString * const kUpdateMapsAlertNibName = @"MWMUpdateMapsAlert";
@interface MWMUpdateMapsAlert ()
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * containerWidth;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * containerHeight;
@property (weak, nonatomic) IBOutlet UIImageView * image;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * imageMinHeight;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * imageHeight;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * titleTopOffset;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * titleImageOffset;
@property (copy, nonatomic) TMWMVoidBlock okButtonAction;
@end
@implementation MWMUpdateMapsAlert
+ (instancetype)alertWithOkBlock:(TMWMVoidBlock)block
{
[Statistics.instance
logEvent:[NSString stringWithFormat:@"%@ - %@", kUpdateMapsAlertEventName, @"open"]];
MWMUpdateMapsAlert * alert = [[[NSBundle mainBundle] loadNibNamed:kUpdateMapsAlertNibName
owner:self
options:nil] firstObject];
alert.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
alert.okButtonAction = block;
return alert;
}
- (void)setFrame:(CGRect)frame
{
if (!isIOSVersionLessThan(8))
[self updateForSize:frame.size];
super.frame = frame;
}
- (void)updateForSize:(CGSize)size
{
CGSize const iPadSize = {520.0, 600.0};
CGSize const newSize = IPAD ? iPadSize : size;
CGFloat const width = newSize.width;
CGFloat const height = newSize.height;
BOOL const hideImage = (self.imageHeight.multiplier * height <= self.imageMinHeight.constant);
self.titleImageOffset.priority =
hideImage ? UILayoutPriorityDefaultLow : UILayoutPriorityDefaultHigh;
self.image.hidden = hideImage;
self.containerWidth.constant = width;
self.containerHeight.constant = height;
}
#pragma mark - Actions
- (IBAction)updateAllMapsAcrion
{
if (self.okButtonAction)
self.okButtonAction();
[self close];
}
- (IBAction)notNowAction
{
[self close];
}
#pragma mark - iOS 7 support methods
- (void)willRotateToInterfaceOrientation:(UIInterfaceOrientation)orientation
{
UIView * superview = self.superview ? self.superview : UIApplication.sharedApplication.keyWindow;
BOOL const isLandscape = UIInterfaceOrientationIsLandscape(orientation);
CGFloat const minDim = MIN(superview.width, superview.height);
CGFloat const maxDim = MAX(superview.width, superview.height);
CGFloat const height = isLandscape ? minDim : maxDim;
CGFloat const width = isLandscape ? maxDim : minDim;
self.bounds = {{}, {width, height}};
}
- (void)setBounds:(CGRect)bounds
{
if (isIOSVersionLessThan(8))
[self updateForSize:bounds.size];
super.bounds = bounds;
}
@end

View file

@ -18,8 +18,8 @@ static inline CGFloat angleWithProgress(CGFloat progress)
@property (nonatomic) CAShapeLayer * backgroundLayer;
@property (nonatomic) CAShapeLayer * progressLayer;
@property (nonatomic, readonly) CGColorRef backgroundColor;
@property (nonatomic, readonly) CGColorRef progressColor;
@property (nonatomic, readonly) CGColorRef backgroundLayerColor;
@property (nonatomic, readonly) CGColorRef progressLayerColor;
@property (nonatomic) NSMutableDictionary * images;
@property (nonatomic) NSMutableDictionary * colors;
@ -93,8 +93,8 @@ static inline CGFloat angleWithProgress(CGFloat progress)
{
self.backgroundLayer.fillColor = self.progressLayer.fillColor = UIColor.clearColor.CGColor;
self.backgroundLayer.lineWidth = self.progressLayer.lineWidth = kLineWidth;
self.backgroundLayer.strokeColor = self.backgroundColor;
self.progressLayer.strokeColor = self.progressColor;
self.backgroundLayer.strokeColor = self.backgroundLayerColor;
self.progressLayer.strokeColor = self.progressLayerColor;
CGRect rect = CGRectInset(self.bounds, kLineWidth, kLineWidth);
self.backgroundLayer.path = [UIBezierPath bezierPathWithOvalInRect:rect].CGPath;
UIImage * normalImage = nil;
@ -203,7 +203,7 @@ static inline CGFloat angleWithProgress(CGFloat progress)
[self refreshProgress];
}
- (CGColorRef)backgroundColor
- (CGColorRef)backgroundLayerColor
{
switch (self.state)
{
@ -214,7 +214,7 @@ static inline CGFloat angleWithProgress(CGFloat progress)
}
}
- (CGColorRef)progressColor
- (CGColorRef)progressLayerColor
{
UIColor * color = self.colors[@(self.state)];
return color.CGColor;

View file

@ -1,3 +1,5 @@
#import "MWMAlertViewController.h"
typedef NS_ENUM(NSUInteger, MWMDownloadMapRequestState)
{
MWMDownloadMapRequestStateDownload,
@ -5,7 +7,9 @@ typedef NS_ENUM(NSUInteger, MWMDownloadMapRequestState)
MWMDownloadMapRequestStateRequestUnknownLocation
};
@protocol MWMDownloadMapRequestDelegate <NSObject>
@protocol MWMDownloadMapRequestProtocol <NSObject>
@property (nonnull, nonatomic, readonly) MWMAlertViewController * alertController;
- (void)stateUpdated:(enum MWMDownloadMapRequestState)state;
- (void)selectMapsAction;
@ -16,7 +20,7 @@ typedef NS_ENUM(NSUInteger, MWMDownloadMapRequestState)
- (nonnull instancetype)init __attribute__((unavailable("init is not available")));
- (nonnull instancetype)initWithParentView:(nonnull UIView *)parentView
delegate:(nonnull id <MWMDownloadMapRequestDelegate>)delegate;
delegate:(nonnull id <MWMDownloadMapRequestProtocol>)delegate;
- (void)showRequest;

View file

@ -7,6 +7,8 @@
#import "Statistics.h"
#include "Framework.h"
#include "storage/country_info_getter.hpp"
#include "storage/index.hpp"
@interface MWMDownloadMapRequest () <MWMCircularProgressProtocol>
@ -14,23 +16,24 @@
@property (nonatomic) IBOutlet MWMDownloadMapRequestView * rootView;
@property (nonatomic) IBOutlet UILabel * mapTitleLabel;
@property (nonatomic) IBOutlet UIButton * downloadMapButton;
@property (nonatomic) IBOutlet UIButton * downloadRoutesButton;
@property (nonatomic) IBOutlet UIView * progressViewWrapper;
@property (nonatomic) MWMCircularProgress * progressView;
@property (copy, nonatomic) NSString * mapSize;
@property (copy, nonatomic) NSString * mapAndRouteSize;
@property (weak, nonatomic) id <MWMDownloadMapRequestDelegate> delegate;
@property (nonatomic) storage::TIndex currentCountryIndex;
@property (weak, nonatomic) id <MWMDownloadMapRequestProtocol> delegate;
@end
@implementation MWMDownloadMapRequest
{
storage::TCountryId m_countryId;
}
- (nonnull instancetype)initWithParentView:(nonnull UIView *)parentView
delegate:(nonnull id <MWMDownloadMapRequestDelegate>)delegate
delegate:(nonnull id <MWMDownloadMapRequestProtocol>)delegate
{
self = [super init];
if (self)
@ -63,26 +66,29 @@
- (void)showRequest
{
auto & f = GetFramework();
auto & activeMapLayout = f.GetCountryTree().GetActiveMapLayout();
if (activeMapLayout.IsDownloadingActive())
auto & s = f.Storage();
if (s.IsDownloadInProgress())
{
self.currentCountryIndex = activeMapLayout.GetCurrentDownloadingCountryIndex();
m_countryId = s.GetCurrentDownloadingCountryId();
self.progressView.state = MWMCircularProgressStateProgress;
[self updateState:MWMDownloadMapRequestStateDownload];
}
else
{
self.currentCountryIndex = storage::TIndex();
double lat, lon;
if ([[MapsAppDelegate theApp].m_locationManager getLat:lat Lon:lon])
self.currentCountryIndex = f.GetCountryIndex(MercatorBounds::FromLatLon(lat, lon));
// TODO (igrechuhin) Replace with invalid country id
m_countryId = storage::TCountryId();
auto const & countryInfoGetter = f.CountryInfoGetter();
LocationManager * locationManager = [MapsAppDelegate theApp].m_locationManager;
if (locationManager.lastLocationIsValid)
m_countryId = countryInfoGetter.GetRegionCountryId(locationManager.lastLocation.mercator);
if (self.currentCountryIndex.IsValid())
// TODO (igrechuhin) Replace with real check
if (!m_countryId.empty())
{
self.mapTitleLabel.text = @(activeMapLayout.GetFormatedCountryName(self.currentCountryIndex).c_str());
LocalAndRemoteSizeT const sizes = activeMapLayout.GetRemoteCountrySizes(self.currentCountryIndex);
self.mapSize = formattedSize(sizes.first);
self.mapAndRouteSize = formattedSize(sizes.first + sizes.second);
storage::NodeAttrs attrs;
s.GetNodeAttrs(m_countryId, attrs);
self.mapTitleLabel.text = @(attrs.m_nodeLocalName.c_str());
self.mapAndRouteSize = @(attrs.m_downloadingMwmSize).stringValue;
[self.downloadMapButton setTitle:[NSString stringWithFormat:@"%@ (%@)",
L(@"downloader_download_map"), self.mapAndRouteSize]
forState:UIControlStateNormal];
@ -117,15 +123,15 @@
{
[[Statistics instance] logEvent:kStatEventName(kStatDownloadRequest, kStatButton)
withParameters:@{kStatValue : kStatProgress}];
auto & activeMapLayout = GetFramework().GetCountryTree().GetActiveMapLayout();
auto & s = GetFramework().Storage();
if (progress.state == MWMCircularProgressStateFailed)
{
activeMapLayout.RetryDownloading(self.currentCountryIndex);
s.RetryDownloadNode(m_countryId);
[self.progressView startSpinner:NO];
}
else
{
activeMapLayout.CancelDownloading(self.currentCountryIndex);
s.CancelDownloadNode(m_countryId);
}
[self showRequest];
}
@ -135,10 +141,21 @@
- (IBAction)downloadMapTouchUpInside:(nonnull UIButton *)sender
{
[[Statistics instance] logEvent:kStatEventName(kStatDownloadRequest, kStatDownloadMap)];
GetFramework().GetCountryTree().GetActiveMapLayout().DownloadMap(self.currentCountryIndex, MapOptions::MapWithCarRouting);
self.progressView.progress = 0.0;
[self showRequest];
[self.progressView startSpinner:NO];
[MapsAppDelegate downloadCountry:m_countryId alertController:self.delegate.alertController onDownload:^
{
self.progressView.progress = 0.0;
[self showRequest];
[self.progressView startSpinner:NO];
}];
}
- (IBAction)downloadRoutesTouchUpInside:(nonnull UIButton *)sender
{
[[Statistics instance] logEvent:kStatEventName(kStatDownloadRequest, kStatDownloadRoute)];
sender.selected = !sender.selected;
[self.downloadMapButton setTitle:[NSString stringWithFormat:@"%@ (%@)",
L(@"downloader_download_map"), self.mapAndRouteSize]
forState:UIControlStateNormal];
}
- (IBAction)selectMapTouchUpInside:(nonnull UIButton *)sender

View file

@ -5,9 +5,12 @@
@interface MWMDownloadMapRequestView ()
@property (weak, nonatomic) IBOutlet UILabel * mapTitleLabel;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * verticalFreeSpace;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * bottomSpacing;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * unknownPositionLabelBottomOffset;
@property (weak, nonatomic) IBOutlet UIButton * downloadMapButton;
@property (weak, nonatomic) IBOutlet UIButton * downloadRoutesButton;
@property (weak, nonatomic) IBOutlet UILabel * undefinedLocationLabel;
@property (weak, nonatomic) IBOutlet UIButton * selectAnotherMapButton;
@property (weak, nonatomic) IBOutlet UIView * progressViewWrapper;
@ -31,10 +34,14 @@
BOOL const isLandscape = superview.height > superview.width;
if (IPAD || isLandscape)
{
self.verticalFreeSpace.constant = 44.0;
self.bottomSpacing.constant = 24.0;
self.unknownPositionLabelBottomOffset.constant = 22.0;
}
else
{
self.verticalFreeSpace.constant = 20.0;
self.bottomSpacing.constant = 8.0;
self.unknownPositionLabelBottomOffset.constant = 18.0;
CGFloat const iPhone6LandscapeHeight = 375.0;
if (self.width < iPhone6LandscapeHeight)
@ -62,6 +69,7 @@
self.progressViewWrapper.hidden = NO;
self.mapTitleLabel.hidden = NO;
self.downloadMapButton.hidden = YES;
self.downloadRoutesButton.hidden = YES;
self.undefinedLocationLabel.hidden = YES;
self.selectAnotherMapButton.hidden = YES;
break;
@ -69,6 +77,7 @@
self.progressViewWrapper.hidden = YES;
self.mapTitleLabel.hidden = NO;
self.downloadMapButton.hidden = NO;
self.downloadRoutesButton.hidden = NO;
self.undefinedLocationLabel.hidden = YES;
self.selectAnotherMapButton.hidden = NO;
[self.selectAnotherMapButton setTitle:L(@"search_select_other_map") forState:UIControlStateNormal];
@ -81,6 +90,7 @@
self.progressViewWrapper.hidden = YES;
self.mapTitleLabel.hidden = YES;
self.downloadMapButton.hidden = YES;
self.downloadRoutesButton.hidden = YES;
self.undefinedLocationLabel.hidden = NO;
self.selectAnotherMapButton.hidden = NO;
[self.selectAnotherMapButton setTitle:L(@"search_select_map") forState:UIControlStateNormal];

View file

@ -8,6 +8,12 @@
#include "editor/server_api.hpp"
#include "indexer/osm_editor.hpp"
#include "platform/platform.hpp"
#include "base/logging.hpp"
namespace
{
NSString * const kWebViewAuthSegue = @"Authorization2WebViewAuthorizationSegue";

View file

@ -309,7 +309,10 @@
- (void)updateBadge
{
self.downloadBadge.hidden = GetFramework().GetCountryTree().GetActiveMapLayout().GetOutOfDateCount() == 0;
auto & s = GetFramework().Storage();
storage::Storage::UpdateInfo updateInfo{};
s.GetUpdateInfo(s.GetRootId(), updateInfo);
self.downloadBadge.hidden = (updateInfo.m_numberOfMwmFilesToUpdate == 0);
}
#pragma mark - Properties
@ -326,51 +329,51 @@
if (_state == state)
return;
[self refreshLayout];
BOOL updateMenuButton = YES;
switch (state)
{
case MWMBottomMenuStateHidden:
break;
case MWMBottomMenuStateInactive:
if (MapsAppDelegate.theApp.routingPlaneMode == MWMRoutingPlaneModeNone)
_leftBound = 0.0;
[self updateBadge];
self.p2pButton.hidden = self.searchButton.hidden = self.bookmarksButton.hidden = NO;
self.layoutDuration =
(_state == MWMBottomMenuStateCompact && !IPAD) ? 0.0 : kDefaultAnimationDuration;
if (_state != MWMBottomMenuStateGo && _state != MWMBottomMenuStatePlanning &&
_state != MWMBottomMenuStateText)
case MWMBottomMenuStateHidden:
updateMenuButton = NO;
break;
case MWMBottomMenuStateInactive:
{
if (MapsAppDelegate.theApp.routingPlaneMode == MWMRoutingPlaneModeNone)
_leftBound = 0.0;
[self updateBadge];
self.p2pButton.hidden = self.searchButton.hidden = self.bookmarksButton.hidden = NO;
self.layoutDuration = (_state == MWMBottomMenuStateCompact && !IPAD) ? 0.0 : kDefaultAnimationDuration;
updateMenuButton = (_state != MWMBottomMenuStateGo && _state != MWMBottomMenuStatePlanning &&
_state != MWMBottomMenuStateText);
break;
}
case MWMBottomMenuStateActive:
self.restoreState = _state;
[self updateMenuButtonFromState:_state toState:state];
break;
case MWMBottomMenuStateActive:
self.restoreState = _state;
[self updateMenuButtonFromState:_state toState:state];
self.additionalButtons.hidden = NO;
self.bookmarksButton.hidden = NO;
self.p2pButton.hidden = NO;
self.searchButton.hidden = NO;
self.separator.hidden = NO;
break;
case MWMBottomMenuStateCompact:
self.layoutDuration = IPAD ? kDefaultAnimationDuration : 0.0;
[self updateMenuButtonFromState:_state toState:state];
break;
case MWMBottomMenuStatePlanning:
self.goButton.enabled = NO;
self.goButton.hidden = NO;
[self updateMenuButtonFromState:_state toState:state];
break;
case MWMBottomMenuStateGo:
self.goButton.enabled = YES;
self.goButton.hidden = NO;
[self updateMenuButtonFromState:_state toState:state];
break;
case MWMBottomMenuStateText:
self.streetLabel.font = [UIFont medium16];
self.streetLabel.hidden = NO;
self.streetLabel.textColor = [UIColor blackSecondaryText];
[self updateMenuButtonFromState:_state toState:state];
break;
self.additionalButtons.hidden = NO;
self.bookmarksButton.hidden = NO;
self.p2pButton.hidden = NO;
self.searchButton.hidden = NO;
self.separator.hidden = NO;
break;
case MWMBottomMenuStateCompact:
self.layoutDuration = IPAD ? kDefaultAnimationDuration : 0.0;
break;
case MWMBottomMenuStatePlanning:
self.goButton.enabled = NO;
self.goButton.hidden = NO;
break;
case MWMBottomMenuStateGo:
self.goButton.enabled = YES;
self.goButton.hidden = NO;
break;
case MWMBottomMenuStateText:
self.streetLabel.font = [UIFont medium16];
self.streetLabel.hidden = NO;
self.streetLabel.textColor = [UIColor blackSecondaryText];
break;
}
if (updateMenuButton)
[self updateMenuButtonFromState:_state toState:state];
_state = state;
}

View file

@ -38,7 +38,7 @@ typedef NS_ENUM(NSUInteger, MWMBottomMenuViewCell)
MWMBottomMenuViewCellCount
};
@interface MWMBottomMenuViewController ()<UICollectionViewDataSource, UICollectionViewDelegate>
@interface MWMBottomMenuViewController ()<UICollectionViewDataSource, UICollectionViewDelegate, MWMFrameworkMyPositionObserver>
@property (weak, nonatomic) MapViewController * controller;
@property (weak, nonatomic) IBOutlet UICollectionView * buttonsCollectionView;
@ -77,6 +77,7 @@ typedef NS_ENUM(NSUInteger, MWMBottomMenuViewCell)
selector:@selector(searchStateWillChange:)
name:kSearchStateWillChangeNotification
object:nil];
[[MWMFrameworkListener listener] addObserver:self];
}
return self;
}
@ -163,14 +164,14 @@ typedef NS_ENUM(NSUInteger, MWMBottomMenuViewCell)
self.state = MWMBottomMenuStateGo;
}
#pragma mark - Location button
#pragma mark - MWMFrameworkMyPositionObserver
- (void)onLocationStateModeChanged:(location::EMyPositionMode)state
- (void)processMyPositionStateModeChange:(location::EMyPositionMode)mode
{
UIButton * locBtn = self.locationButton;
[locBtn.imageView stopAnimating];
[locBtn.imageView.layer removeAllAnimations];
switch (state)
switch (mode)
{
case location::MODE_UNKNOWN_POSITION:
case location::MODE_NOT_FOLLOW:
@ -206,9 +207,11 @@ typedef NS_ENUM(NSUInteger, MWMBottomMenuViewCell)
break;
}
}
[self refreshLocationButtonState:state];
[self refreshLocationButtonState:mode];
}
#pragma mark - Location button
- (void)refreshLocationButtonState:(location::EMyPositionMode)state
{
dispatch_async(dispatch_get_main_queue(), ^
@ -275,11 +278,12 @@ typedef NS_ENUM(NSUInteger, MWMBottomMenuViewCell)
{
case MWMBottomMenuViewCellDownload:
{
NSUInteger const badgeCount =
GetFramework().GetCountryTree().GetActiveMapLayout().GetOutOfDateCount();
auto & s = GetFramework().Storage();
storage::Storage::UpdateInfo updateInfo{};
s.GetUpdateInfo(s.GetRootId(), updateInfo);
[cell configureWithImageName:@"ic_menu_download"
label:L(@"download_maps")
badgeCount:badgeCount];
badgeCount:updateInfo.m_numberOfMwmFilesToUpdate];
}
break;
case MWMBottomMenuViewCellSettings:

View file

@ -14,7 +14,6 @@
@property (nonatomic) MWMBottomMenuState menuState;
@property (nonatomic, readonly) MWMNavigationDashboardState navigationState;
@property (nonatomic) BOOL searchHidden;
@property (nonatomic) location::EMyPositionMode myPositionMode;
- (instancetype)init __attribute__((unavailable("init is not available")));
- (instancetype)initWithParentController:(MapViewController *)controller;
@ -34,7 +33,7 @@
@property (nonatomic, readonly) BOOL isDirectionViewShown;
- (void)dismissPlacePage;
- (void)showPlacePageWithUserMark:(unique_ptr<UserMarkCopy>)userMark;
- (void)showPlacePage;
- (void)reloadPlacePage;
#pragma mark - MWMNavigationDashboardManager
@ -46,6 +45,5 @@
- (void)routingPrepare;
- (void)routingNavigation;
- (void)handleRoutingError;
- (void)setRouteBuildingProgress:(CGFloat)progress;
@end

View file

@ -1,11 +1,9 @@
#import "Common.h"
#import "CountryTreeVC.h"
#import "EAGLView.h"
#import "MapsAppDelegate.h"
#import "MapViewController.h"
#import "MWMAlertViewController.h"
#import "MWMAPIBar.h"
#import "MWMAlertViewController.h"
#import "MWMBottomMenuViewController.h"
#import "MWMButton.h"
#import "MWMMapViewControlsManager.h"
#import "MWMPlacePageViewManager.h"
#import "MWMPlacePageViewManagerDelegate.h"
@ -13,6 +11,8 @@
#import "MWMSearchManager.h"
#import "MWMSearchView.h"
#import "MWMZoomButtons.h"
#import "MapViewController.h"
#import "MapsAppDelegate.h"
#import "RouteState.h"
#import "Statistics.h"
@ -24,7 +24,8 @@ extern NSString * const kAlohalyticsTapEventKey;
@interface MWMMapViewControlsManager ()<
MWMPlacePageViewManagerProtocol, MWMNavigationDashboardManagerProtocol,
MWMSearchManagerProtocol, MWMSearchViewProtocol, MWMBottomMenuControllerProtocol, MWMRoutePreviewDataSource>
MWMSearchManagerProtocol, MWMSearchViewProtocol, MWMBottomMenuControllerProtocol,
MWMRoutePreviewDataSource, MWMFrameworkRouteBuilderObserver>
@property (nonatomic) MWMZoomButtons * zoomButtons;
@property (nonatomic) MWMBottomMenuViewController * menuController;
@ -45,12 +46,6 @@ extern NSString * const kAlohalyticsTapEventKey;
@implementation MWMMapViewControlsManager
- (void)setMyPositionMode:(location::EMyPositionMode)mode
{
_myPositionMode = mode;
[self.menuController onLocationStateModeChanged:mode];
}
- (instancetype)initWithParentController:(MapViewController *)controller
{
if (!controller)
@ -71,9 +66,38 @@ extern NSString * const kAlohalyticsTapEventKey;
self.routeSource = m.lastLocationIsValid ? MWMRoutePoint(m.lastLocation.mercator) :
MWMRoutePoint::MWMRoutePointZero();
self.routeDestination = MWMRoutePoint::MWMRoutePointZero();
[[MWMFrameworkListener listener] addObserver:self];
return self;
}
#pragma mark - MWMFrameworkRouteBuilderObserver
- (void)processRouteBuilderEvent:(routing::IRouter::ResultCode)code
countries:(storage::TCountriesVec const &)absentCountries
routes:(storage::TCountriesVec const &)absentRoutes
{
switch (code)
{
case routing::IRouter::ResultCode::NoError:
{
[self.navigationManager setRouteBuilderProgress:100];
self.searchHidden = YES;
break;
}
case routing::IRouter::Cancelled:
break;
default:
[self handleRoutingError];
break;
}
}
- (void)processRouteBuilderProgress:(CGFloat)progress
{
[self.navigationManager setRouteBuilderProgress:progress];
}
#pragma mark - Layout
- (void)refreshLayout
@ -127,9 +151,9 @@ extern NSString * const kAlohalyticsTapEventKey;
[self.placePageManager hidePlacePage];
}
- (void)showPlacePageWithUserMark:(unique_ptr<UserMarkCopy>)userMark
- (void)showPlacePage
{
[self.placePageManager showPlacePageWithUserMark:move(userMark)];
[self.placePageManager showPlacePage];
[self refreshHelperPanels:UIInterfaceOrientationIsLandscape(self.ownerController.interfaceOrientation)];
}
@ -145,6 +169,11 @@ extern NSString * const kAlohalyticsTapEventKey;
#pragma mark - MWMSearchManagerProtocol
- (MWMAlertViewController *)alertController
{
return self.ownerController.alertController;
}
- (void)searchViewDidEnterState:(MWMSearchManagerState)state
{
if (state == MWMSearchManagerStateHidden)
@ -189,7 +218,7 @@ extern NSString * const kAlohalyticsTapEventKey;
[self.navigationManager.routePreview removeFromSuperview];
[self didCancelRouting];
self.navigationManager.state = MWMNavigationDashboardStateHidden;
static_cast<UIButton *>(self.menuController.p2pButton).selected = NO;
self.menuController.p2pButton.selected = NO;
}];
}
}
@ -207,7 +236,7 @@ extern NSString * const kAlohalyticsTapEventKey;
- (void)actionDownloadMaps
{
[self.ownerController downloadMaps];
[self.ownerController openMapsDownloader];
}
#pragma mark - MWMBottomMenuControllerProtocol
@ -285,7 +314,7 @@ extern NSString * const kAlohalyticsTapEventKey;
- (void)buildRouteFrom:(MWMRoutePoint const &)from to:(MWMRoutePoint const &)to
{
static_cast<UIButton *>(self.menuController.p2pButton).selected = YES;
self.menuController.p2pButton.selected = YES;
self.navigationManager.routePreview.extendButton.selected = NO;
MapsAppDelegate.theApp.routingPlaneMode = MWMRoutingPlaneModePlacePage;
if (from == MWMRoutePoint::MWMRoutePointZero())
@ -413,7 +442,7 @@ extern NSString * const kAlohalyticsTapEventKey;
self.navigationManager.state = MWMNavigationDashboardStatePlanning;
[self.menuController setPlanning];
GetFramework().BuildRoute(self.routeSource.Point(), self.routeDestination.Point(), 0 /* timeoutSec */);
[self.navigationManager setRouteBuildingProgress:0.];
[self.navigationManager setRouteBuilderProgress:0.];
}
- (BOOL)isPossibleToBuildRoute
@ -448,14 +477,13 @@ extern NSString * const kAlohalyticsTapEventKey;
{
MWMAlertViewController * controller = [[MWMAlertViewController alloc] initWithViewController:self.ownerController];
LocationManager * manager = MapsAppDelegate.theApp.m_locationManager;
auto const m = self.myPositionMode;
auto const m = [MWMFrameworkListener listener].myPositionMode;
BOOL const needToRebuild = manager.lastLocationIsValid &&
m != location::MODE_PENDING_POSITION &&
m != location::MODE_UNKNOWN_POSITION &&
!isDestinationMyPosition;
m != location::MODE_UNKNOWN_POSITION && !isDestinationMyPosition;
m2::PointD const locationPoint = manager.lastLocation.mercator;
[controller presentPoint2PointAlertWithOkBlock:^
{
m2::PointD const locationPoint = manager.lastLocation.mercator;
self.routeSource = MWMRoutePoint(locationPoint);
[self buildRoute];
} needToRebuild:needToRebuild];
@ -568,11 +596,6 @@ extern NSString * const kAlohalyticsTapEventKey;
[[MapsAppDelegate theApp] enableStandby];
}
- (void)setRouteBuildingProgress:(CGFloat)progress
{
[self.navigationManager setRouteBuildingProgress:progress];
}
#pragma mark - MWMRoutePreviewDataSource
- (NSString *)source

View file

@ -2,6 +2,8 @@
@protocol MWMSearchDownloadProtocol <NSObject>
@property (nonnull, nonatomic, readonly) MWMAlertViewController * alertController;
- (void)selectMapsAction;
@end

View file

@ -2,7 +2,7 @@
#import "MWMSearchDownloadView.h"
#import "MWMSearchDownloadViewController.h"
@interface MWMSearchDownloadViewController () <MWMDownloadMapRequestDelegate>
@interface MWMSearchDownloadViewController () <MWMDownloadMapRequestProtocol>
@property (nonatomic) IBOutlet UIView * downloadRequestHolder;
@ -101,7 +101,12 @@
[UIApplication.sharedApplication.keyWindow endEditing:YES];
}
#pragma mark - MWMDownloadMapRequestDelegate
#pragma mark - MWMDownloadMapRequestProtocol
- (MWMAlertViewController *)alertController
{
return self.delegate.alertController;
}
- (void)stateUpdated:(enum MWMDownloadMapRequestState)state
{

View file

@ -1,3 +1,4 @@
#import "MWMAlertViewController.h"
#import "MWMSearchTextField.h"
#import "MWMSearchView.h"
@ -11,6 +12,8 @@ typedef NS_ENUM(NSUInteger, MWMSearchManagerState)
@protocol MWMSearchManagerProtocol <NSObject>
@property (nonnull, nonatomic, readonly) MWMAlertViewController * alertController;
- (void)searchViewDidEnterState:(MWMSearchManagerState)state;
- (void)actionDownloadMaps;

View file

@ -1,7 +1,7 @@
#import "LocationManager.h"
#import "MapsAppDelegate.h"
#import "MapsObservers.h"
#import "MWMConsole.h"
#import "MWMFrameworkListener.h"
#import "MWMRoutingProtocol.h"
#import "MWMSearchDownloadViewController.h"
#import "MWMSearchManager.h"
@ -12,16 +12,17 @@
#import "3party/Alohalytics/src/alohalytics_objc.h"
#include "storage/storage_helpers.hpp"
#include "Framework.h"
#include "map/active_maps_layout.hpp"
extern NSString * const kAlohalyticsTapEventKey;
extern NSString * const kSearchStateWillChangeNotification = @"SearchStateWillChangeNotification";
extern NSString * const kSearchStateKey = @"SearchStateKey";
@interface MWMSearchManager ()<MWMSearchTableViewProtocol, MWMSearchDownloadProtocol,
MWMSearchTabbedViewProtocol, ActiveMapsObserverProtocol,
MWMSearchTabButtonsViewProtocol, UITextFieldDelegate>
MWMSearchTabbedViewProtocol, MWMSearchTabButtonsViewProtocol,
UITextFieldDelegate, MWMFrameworkStorageObserver>
@property (weak, nonatomic) UIView * parentView;
@property (nonatomic) IBOutlet MWMSearchView * rootView;
@ -40,7 +41,6 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
@implementation MWMSearchManager
{
unique_ptr<ActiveMapsObserver> m_mapsObserver;
int m_mapsObserverSlotId;
}
@ -55,6 +55,7 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
self.rootView.delegate = delegate;
self.parentView = view;
self.state = MWMSearchManagerStateHidden;
[[MWMFrameworkListener listener] addObserver:self];
}
return self;
}
@ -200,24 +201,17 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
self.state = MWMSearchManagerStateHidden;
}
#pragma mark - MWMSearchDownloadMapRequest
#pragma mark - MWMFrameworkStorageObserver
- (void)selectMapsAction
- (void)processCountryEvent:(storage::TCountryId const &)countryId
{
[self.delegate actionDownloadMaps];
}
#pragma mark - ActiveMapsObserverProtocol
- (void)countryStatusChangedAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group
{
auto const status =
GetFramework().GetCountryTree().GetActiveMapLayout().GetCountryStatus(group, position);
using namespace storage;
[self updateTopController];
if (status == TStatus::EDownloadFailed)
NodeAttrs attrs;
GetFramework().Storage().GetNodeAttrs(countryId, attrs);
if (IsDownloadFailed(attrs.m_status))
[self.downloadController setDownloadFailed];
if (self.state == MWMSearchManagerStateTableSearch ||
self.state == MWMSearchManagerStateMapSearch)
if (self.state == MWMSearchManagerStateTableSearch || self.state == MWMSearchManagerStateMapSearch)
{
NSString * text = self.searchTextField.text;
if (text.length > 0)
@ -226,18 +220,28 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
}
}
- (void)countryDownloadingProgressChanged:(LocalAndRemoteSizeT const &)progress
atPosition:(int)position
inGroup:(ActiveMapsLayout::TGroup const &)group
- (void)processCountry:(storage::TCountryId const &)countryId progress:(storage::LocalAndRemoteSizeT const &)progress
{
using namespace storage;
CGFloat const normProgress = (CGFloat)progress.first / progress.second;
ActiveMapsLayout & activeMapLayout = GetFramework().GetCountryTree().GetActiveMapLayout();
NSString * countryName =
@(activeMapLayout.GetFormatedCountryName(activeMapLayout.GetCoreIndex(group, position))
.c_str());
NodeAttrs attrs;
GetFramework().Storage().GetNodeAttrs(countryId, attrs);
NSString * countryName = @(attrs.m_nodeLocalName.c_str());
[self.downloadController downloadProgress:normProgress countryName:countryName];
}
#pragma mark - MWMSearchDownloadProtocol
- (MWMAlertViewController *)alertController
{
return self.delegate.alertController;
}
- (void)selectMapsAction
{
[self.delegate actionDownloadMaps];
}
#pragma mark - State changes
- (void)updateTopController
@ -252,17 +256,9 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
[self.navigationController setViewControllers:viewControllers animated:NO];
}
- (void)changeFromHiddenState
{
__weak auto weakSelf = self;
m_mapsObserver.reset(new ActiveMapsObserver(weakSelf));
m_mapsObserverSlotId = GetFramework().GetCountryTree().GetActiveMapLayout().AddListener(m_mapsObserver.get());
}
- (void)changeToHiddenState
{
[self endSearch];
GetFramework().GetCountryTree().GetActiveMapLayout().RemoveListener(m_mapsObserverSlotId);
[self.tabbedController resetSelectedTab];
self.tableViewController = nil;
self.downloadController = nil;
@ -290,7 +286,7 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
- (void)changeToMapSearchState
{
Framework & f = GetFramework();
auto & f = GetFramework();
UITextField * textField = self.searchTextField;
string const locale = textField.textInputMode.primaryLanguage ?
@ -318,11 +314,11 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
- (UIViewController *)topController
{
auto & f = GetFramework();
auto & activeMapLayout = f.GetCountryTree().GetActiveMapLayout();
int const outOfDate = activeMapLayout.GetCountInGroup(storage::ActiveMapsLayout::TGroup::EOutOfDate);
int const upToDate = activeMapLayout.GetCountInGroup(storage::ActiveMapsLayout::TGroup::EUpToDate);
BOOL const haveMap = outOfDate > 0 || upToDate > 0;
using namespace storage;
auto & s = GetFramework().Storage();
TCountriesVec downloadedCountries;
s.GetDownloadedChildren(s.GetRootId(), downloadedCountries);
BOOL const haveMap = (downloadedCountries.size() != 0);
return haveMap ? self.tabbedController : self.downloadController;
}
@ -377,8 +373,6 @@ extern NSString * const kSearchStateKey = @"SearchStateKey";
userInfo:@{
kSearchStateKey : @(state)
}];
if (_state == MWMSearchManagerStateHidden)
[self changeFromHiddenState];
_state = state;
switch (state)
{

View file

@ -5,6 +5,8 @@
#import "UIColor+MapsMeColor.h"
#import "UIFont+MapsMeFonts.h"
#include "Framework.h"
#include "geometry/mercator.hpp"
#include "platform/measurement_utils.hpp"

View file

@ -3,6 +3,13 @@
#import "MWMSearchTextField.h"
#import "MWMViewController.h"
#include "Framework.h"
namespace search
{
class Result;
}
@protocol MWMSearchTableViewProtocol <MWMSearchTabbedViewProtocol>
@property (weak, nonatomic) MWMSearchTextField * searchTextField;

View file

@ -9,7 +9,7 @@
#import "Statistics.h"
#import "ToastView.h"
#include "std/vector.hpp"
#include "search/params.hpp"
static NSString * const kTableShowOnMapCell = @"MWMSearchShowOnMapCell";
static NSString * const kTableSuggestionCell = @"MWMSearchSuggestionCell";

View file

@ -46,7 +46,7 @@ typedef NS_ENUM(NSUInteger, MWMNavigationDashboardState)
- (void)willRotateToInterfaceOrientation:(UIInterfaceOrientation)orientation;
- (void)viewWillTransitionToSize:(CGSize)size
withTransitionCoordinator:(id<UIViewControllerTransitionCoordinator>)coordinator;
- (void)setRouteBuildingProgress:(CGFloat)progress;
- (void)setRouteBuilderProgress:(CGFloat)progress;
- (void)showHelperPanels;
- (void)hideHelperPanels;
- (void)setupActualRoute;

View file

@ -271,7 +271,7 @@ extern NSString * const kTTSStatusWasChangedNotification;
#pragma mark - MWMRoutePreview
- (void)setRouteBuildingProgress:(CGFloat)progress
- (void)setRouteBuilderProgress:(CGFloat)progress
{
[self.activeRouteTypeButton setProgress:progress / 100.];
}

View file

@ -1,15 +0,0 @@
@protocol MWMSearchDownloadMapRequest <NSObject>
- (void)selectMapsAction;
@end
@interface MWMSearchDownloadMapRequest : NSObject
- (nonnull instancetype)init __attribute__((unavailable("init is not available")));
- (nonnull instancetype)initWithParentView:(nonnull UIView *)parentView delegate:(nonnull id <MWMSearchDownloadMapRequest>)delegate;
- (void)downloadProgress:(CGFloat)progress countryName:(nonnull NSString *)countryName;
- (void)setDownloadFailed;
@end

View file

@ -1,98 +0,0 @@
#import "MWMDownloadMapRequest.h"
#import "MWMSearchDownloadMapRequest.h"
#import "MWMSearchDownloadMapRequestView.h"
@interface MWMSearchDownloadMapRequest () <MWMDownloadMapRequestDelegate>
@property (nonatomic) IBOutlet MWMSearchDownloadMapRequestView * rootView;
@property (nonatomic) IBOutlet UIView * downloadRequestHolder;
@property (nonatomic) MWMDownloadMapRequest * downloadRequest;
@property (strong, nonatomic) IBOutlet UIButton * dimButton;
@property (weak, nonatomic) id <MWMSearchDownloadMapRequest> delegate;
@end
@implementation MWMSearchDownloadMapRequest
- (nonnull instancetype)initWithParentView:(nonnull UIView *)parentView delegate:(nonnull id <MWMSearchDownloadMapRequest>)delegate
{
self = [super init];
if (self)
{
[[NSBundle mainBundle] loadNibNamed:self.class.className owner:self options:nil];
self.delegate = delegate;
[parentView addSubview:self.rootView];
self.downloadRequest = [[MWMDownloadMapRequest alloc] initWithParentView:self.downloadRequestHolder delegate:self];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillShow:) name:UIKeyboardWillShowNotification object:nil];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillhide:) name:UIKeyboardWillHideNotification object:nil];
}
return self;
}
- (void)dealloc
{
[[NSNotificationCenter defaultCenter] removeObserver:self];
[self.rootView removeFromSuperview];
}
- (void)keyboardWillShow:(nonnull NSNotification *)aNotification
{
UIButton * dim = self.dimButton;
dim.hidden = NO;
dim.alpha = 0.0;
NSNumber * duration = aNotification.userInfo[UIKeyboardAnimationDurationUserInfoKey];
[UIView animateWithDuration:duration.floatValue animations:^
{
dim.alpha = 1.0;
}];
}
- (void)keyboardWillhide:(nonnull NSNotification *)aNotification
{
UIButton * dim = self.dimButton;
dim.alpha = 1.0;
NSNumber * duration = aNotification.userInfo[UIKeyboardAnimationDurationUserInfoKey];
[UIView animateWithDuration:duration.floatValue animations:^
{
dim.alpha = 0.0;
}
completion:^(BOOL finished)
{
dim.hidden = YES;
}];
}
#pragma mark - Process control
- (void)downloadProgress:(CGFloat)progress countryName:(nonnull NSString *)countryName
{
[self.downloadRequest downloadProgress:progress countryName:countryName];
}
- (void)setDownloadFailed
{
[self.downloadRequest setDownloadFailed];
}
#pragma mark - Actions
- (IBAction)dimTouchUpInside:(nonnull UIButton *)sender
{
[UIApplication.sharedApplication.keyWindow endEditing:YES];
}
#pragma mark - MWMDownloadMapRequestDelegate
- (void)stateUpdated:(enum MWMDownloadMapRequestState)state
{
[self.rootView show:state == MWMDownloadMapRequestStateDownload ? MWMSearchDownloadMapRequestViewStateProgress : MWMSearchDownloadMapRequestViewStateRequest];
}
- (void)selectMapsAction
{
[self.delegate selectMapsAction];
}
@end

View file

@ -1,78 +0,0 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<document type="com.apple.InterfaceBuilder3.CocoaTouch.XIB" version="3.0" toolsVersion="9531" systemVersion="15D21" targetRuntime="iOS.CocoaTouch" propertyAccessControl="none" useAutolayout="YES">
<dependencies>
<deployment identifier="iOS"/>
<plugIn identifier="com.apple.InterfaceBuilder.IBCocoaTouchPlugin" version="9529"/>
</dependencies>
<objects>
<placeholder placeholderIdentifier="IBFilesOwner" id="-1" userLabel="File's Owner" customClass="MWMSearchDownloadMapRequest">
<connections>
<outlet property="dimButton" destination="iMA-Nl-9RY" id="deG-kr-rgy"/>
<outlet property="downloadRequestHolder" destination="uzQ-gk-yJp" id="NLf-AO-JMD"/>
<outlet property="rootView" destination="wP9-g7-AZb" id="w00-AT-5Lz"/>
</connections>
</placeholder>
<placeholder placeholderIdentifier="IBFirstResponder" id="-2" customClass="UIResponder"/>
<view contentMode="scaleToFill" id="wP9-g7-AZb" customClass="MWMSearchDownloadMapRequestView">
<rect key="frame" x="0.0" y="0.0" width="320" height="568"/>
<autoresizingMask key="autoresizingMask" flexibleMaxX="YES" flexibleMaxY="YES"/>
<subviews>
<label opaque="NO" userInteractionEnabled="NO" contentMode="left" horizontalHuggingPriority="251" verticalHuggingPriority="251" text="Для поиска мест, построения маршрута скачайте карту и интернет вам больше не понадобится." textAlignment="center" lineBreakMode="wordWrap" numberOfLines="0" baselineAdjustment="alignBaselines" adjustsFontSizeToFit="NO" preferredMaxLayoutWidth="280" translatesAutoresizingMaskIntoConstraints="NO" id="Gwe-nt-eeI" userLabel="Hint">
<rect key="frame" x="20" y="40" width="280" height="49"/>
<color key="backgroundColor" white="0.0" alpha="0.0" colorSpace="calibratedWhite"/>
<fontDescription key="fontDescription" name="HelveticaNeue" family="Helvetica Neue" pointSize="14"/>
<color key="textColor" red="0.0" green="0.0" blue="0.0" alpha="1" colorSpace="calibratedRGB"/>
<nil key="highlightedColor"/>
<userDefinedRuntimeAttributes>
<userDefinedRuntimeAttribute type="string" keyPath="fontName" value="regular14"/>
<userDefinedRuntimeAttribute type="string" keyPath="colorName" value="blackSecondaryText"/>
<userDefinedRuntimeAttribute type="string" keyPath="localizedText" value="search_without_internet_advertisement"/>
</userDefinedRuntimeAttributes>
</label>
<view opaque="NO" contentMode="scaleToFill" translatesAutoresizingMaskIntoConstraints="NO" id="uzQ-gk-yJp" userLabel="DownloadRequestWrapper">
<rect key="frame" x="0.0" y="317" width="320" height="251"/>
<color key="backgroundColor" white="0.0" alpha="0.0" colorSpace="calibratedWhite"/>
<constraints>
<constraint firstAttribute="height" constant="251" id="bsm-dc-NwX"/>
</constraints>
</view>
<button hidden="YES" opaque="NO" contentMode="scaleToFill" contentHorizontalAlignment="center" contentVerticalAlignment="center" lineBreakMode="middleTruncation" translatesAutoresizingMaskIntoConstraints="NO" id="iMA-Nl-9RY" userLabel="Dim">
<rect key="frame" x="0.0" y="0.0" width="320" height="568"/>
<color key="backgroundColor" red="0.0" green="0.0" blue="0.0" alpha="0.26000000000000001" colorSpace="calibratedRGB"/>
<state key="normal">
<color key="titleShadowColor" white="0.5" alpha="1" colorSpace="calibratedWhite"/>
</state>
<userDefinedRuntimeAttributes>
<userDefinedRuntimeAttribute type="string" keyPath="backgroundColorName" value="blackHintText"/>
</userDefinedRuntimeAttributes>
<connections>
<action selector="dimTouchUpInside:" destination="-1" eventType="touchUpInside" id="bAP-fC-rHH"/>
</connections>
</button>
</subviews>
<color key="backgroundColor" white="1" alpha="1" colorSpace="calibratedWhite"/>
<constraints>
<constraint firstAttribute="trailing" secondItem="uzQ-gk-yJp" secondAttribute="trailing" id="1sz-bn-Jdf"/>
<constraint firstItem="iMA-Nl-9RY" firstAttribute="leading" secondItem="wP9-g7-AZb" secondAttribute="leading" id="7Lk-yw-xOq"/>
<constraint firstAttribute="bottom" secondItem="uzQ-gk-yJp" secondAttribute="bottom" id="9jx-hz-YeX"/>
<constraint firstItem="iMA-Nl-9RY" firstAttribute="top" secondItem="wP9-g7-AZb" secondAttribute="top" id="IpH-y1-AKW"/>
<constraint firstItem="uzQ-gk-yJp" firstAttribute="leading" secondItem="wP9-g7-AZb" secondAttribute="leading" id="NjZ-WD-2h3"/>
<constraint firstAttribute="bottom" secondItem="iMA-Nl-9RY" secondAttribute="bottom" id="PEJ-EP-gTU"/>
<constraint firstAttribute="trailing" secondItem="iMA-Nl-9RY" secondAttribute="trailing" id="Te8-04-GWH"/>
<constraint firstAttribute="trailing" secondItem="Gwe-nt-eeI" secondAttribute="trailing" constant="20" id="YaN-ox-CCC"/>
<constraint firstItem="Gwe-nt-eeI" firstAttribute="leading" secondItem="wP9-g7-AZb" secondAttribute="leading" constant="20" id="iNJ-np-5B7"/>
<constraint firstItem="Gwe-nt-eeI" firstAttribute="top" secondItem="wP9-g7-AZb" secondAttribute="top" constant="40" id="y9t-mi-Gpm"/>
</constraints>
<nil key="simulatedStatusBarMetrics"/>
<freeformSimulatedSizeMetrics key="simulatedDestinationMetrics"/>
<connections>
<outlet property="downloadRequestWrapper" destination="uzQ-gk-yJp" id="1Yl-V8-mn3"/>
<outlet property="downloadRequestWrapperBottomOffset" destination="9jx-hz-YeX" id="PyI-0r-3jc"/>
<outlet property="hint" destination="Gwe-nt-eeI" id="3Eo-4z-h1w"/>
<outlet property="hintTopOffset" destination="y9t-mi-Gpm" id="fpl-Z4-dx8"/>
<outlet property="owner" destination="-1" id="sKL-7q-o6K"/>
</connections>
<point key="canvasLocation" x="162" y="354"/>
</view>
</objects>
</document>

View file

@ -1,15 +0,0 @@
typedef NS_ENUM(NSUInteger, MWMSearchDownloadMapRequestViewState)
{
MWMSearchDownloadMapRequestViewStateProgress,
MWMSearchDownloadMapRequestViewStateRequest
};
@interface MWMSearchDownloadMapRequestView : SolidTouchView
- (instancetype)initWithFrame:(CGRect)frame __attribute__((unavailable("initWithFrame is not available")));
- (instancetype)init __attribute__((unavailable("init is not available")));
- (void)show:(enum MWMSearchDownloadMapRequestViewState)state;
@end

View file

@ -1,66 +0,0 @@
#import "Common.h"
#import "MWMSearchDownloadMapRequest.h"
#import "MWMSearchDownloadMapRequestView.h"
@interface MWMSearchDownloadMapRequestView ()
@property (weak, nonatomic) IBOutlet UILabel * hint;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * hintTopOffset;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * downloadRequestWrapperBottomOffset;
@property (weak, nonatomic) IBOutlet UIView * downloadRequestWrapper;
@property (weak, nonatomic) IBOutlet MWMSearchDownloadMapRequest * owner;
@property (nonatomic) enum MWMSearchDownloadMapRequestViewState state;
@end
@implementation MWMSearchDownloadMapRequestView
- (instancetype)initWithCoder:(NSCoder *)aDecoder
{
self = [super initWithCoder:aDecoder];
if (self)
{
self.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
}
return self;
}
- (void)show:(enum MWMSearchDownloadMapRequestViewState)state
{
[self layoutIfNeeded];
self.state = state;
[self update];
[UIView animateWithDuration:kDefaultAnimationDuration animations:^{ [self layoutIfNeeded]; }];
}
- (void)layoutSubviews
{
UIView * superview = self.superview;
self.frame = superview.bounds;
[self update];
[super layoutSubviews];
}
- (void)update
{
UIView * superview = self.superview;
BOOL const isPortrait = superview.width < superview.height;
if (self.state == MWMSearchDownloadMapRequestViewStateProgress)
{
self.hint.alpha = 0.0;
CGFloat const offset = 0.5 * self.height - self.downloadRequestWrapper.height;
self.downloadRequestWrapperBottomOffset.constant = offset;
}
else
{
self.hint.alpha = 1.0;
self.downloadRequestWrapperBottomOffset.constant = 0.0;
}
CGFloat const topOffset = (IPAD || isPortrait ? 40.0 : 12.0);
// @TODO Remove on new search!
CGFloat const someCrazyTopOfsetForCurrentSearchViewImplementation = 64.0;
self.hintTopOffset.constant = someCrazyTopOfsetForCurrentSearchViewImplementation + topOffset;
}
@end

View file

@ -0,0 +1,12 @@
#import "MWMFrameworkObservers.h"
@interface MWMFrameworkListener : NSObject
+ (MWMFrameworkListener *)listener;
@property (nonatomic, readonly) location::EMyPositionMode myPositionMode;
@property (nonatomic) UserMark const * userMark;
- (void)addObserver:(id<MWMFrameworkObserver>)observer;
@end

View file

@ -0,0 +1,186 @@
#import "MapsAppDelegate.h"
#import "MWMFrameworkListener.h"
#include "Framework.h"
namespace
{
using TObserver = id<MWMFrameworkObserver>;
using TRouteBuildingObserver = id<MWMFrameworkRouteBuilderObserver>;
using TMyPositionObserver = id<MWMFrameworkMyPositionObserver>;
using TUsermarkObserver = id<MWMFrameworkUserMarkObserver>;
using TStorageObserver = id<MWMFrameworkStorageObserver>;
using TObservers = NSHashTable<__kindof TObserver>;
Protocol * pRouteBuildingObserver = @protocol(MWMFrameworkRouteBuilderObserver);
Protocol * pMyPositionObserver = @protocol(MWMFrameworkMyPositionObserver);
Protocol * pUserMarkObserver = @protocol(MWMFrameworkUserMarkObserver);
Protocol * pStorageObserver = @protocol(MWMFrameworkStorageObserver);
using TLoopBlock = void (^)(__kindof TObserver observer);
void loopWrappers(TObservers * observers, TLoopBlock block)
{
dispatch_async(dispatch_get_main_queue(), ^
{
for (TObserver observer in observers)
{
if (observer)
block(observer);
}
});
}
} // namespace
@interface MWMFrameworkListener ()
@property (nonatomic) TObservers * routeBuildingObservers;
@property (nonatomic) TObservers * myPositionObservers;
@property (nonatomic) TObservers * userMarkObservers;
@property (nonatomic) TObservers * storageObservers;
@property (nonatomic, readwrite) location::EMyPositionMode myPositionMode;
@end
@implementation MWMFrameworkListener
{
unique_ptr<UserMarkCopy> m_userMark;
}
+ (MWMFrameworkListener *)listener
{
return MapsAppDelegate.theApp.frameworkListener;
}
- (instancetype)init
{
self = [super init];
if (self)
{
_routeBuildingObservers = [TObservers weakObjectsHashTable];
_myPositionObservers = [TObservers weakObjectsHashTable];
_userMarkObservers = [TObservers weakObjectsHashTable];
_storageObservers = [TObservers weakObjectsHashTable];
[self registerRouteBuilderListener];
[self registerMyPositionListener];
[self registerUserMarkObserver];
[self registerStorageObserver];
}
return self;
}
- (void)addObserver:(TObserver)observer
{
dispatch_async(dispatch_get_main_queue(), ^
{
if ([observer conformsToProtocol:pRouteBuildingObserver])
[self.routeBuildingObservers addObject:observer];
if ([observer conformsToProtocol:pMyPositionObserver])
[self.myPositionObservers addObject:observer];
if ([observer conformsToProtocol:pUserMarkObserver])
[self.userMarkObservers addObject:observer];
if ([observer conformsToProtocol:pStorageObserver])
[self.storageObservers addObject:observer];
});
}
#pragma mark - MWMFrameworkRouteBuildingObserver
- (void)registerRouteBuilderListener
{
using namespace routing;
using namespace storage;
TObservers * observers = self.routeBuildingObservers;
auto & f = GetFramework();
f.SetRouteBuildingListener([observers](IRouter::ResultCode code, TCountriesVec const & absentCountries, TCountriesVec const & absentRoutes)
{
loopWrappers(observers, ^(TRouteBuildingObserver observer)
{
[observer processRouteBuilderEvent:code countries:absentCountries routes:absentRoutes];
});
});
f.SetRouteProgressListener([observers](float progress)
{
loopWrappers(observers, ^(TRouteBuildingObserver observer)
{
if ([observer respondsToSelector:@selector(processRouteBuilderProgress:)])
[observer processRouteBuilderProgress:progress];
});
});
}
#pragma mark - MWMFrameworkMyPositionObserver
- (void)registerMyPositionListener
{
TObservers * observers = self.myPositionObservers;
auto & f = GetFramework();
f.SetMyPositionModeListener([self, observers](location::EMyPositionMode mode)
{
self.myPositionMode = mode;
loopWrappers(observers, ^(TMyPositionObserver observer)
{
[observer processMyPositionStateModeChange:mode];
});
});
}
#pragma mark - MWMFrameworkUserMarkObserver
- (void)registerUserMarkObserver
{
TObservers * observers = self.userMarkObservers;
auto & f = GetFramework();
f.SetUserMarkActivationListener([self, observers](unique_ptr<UserMarkCopy> mark)
{
m_userMark = move(mark);
loopWrappers(observers, ^(TUsermarkObserver observer)
{
[observer processUserMarkActivation:self->m_userMark->GetUserMark()];
});
});
}
#pragma mark - MWMFrameworkStorageObserver
- (void)registerStorageObserver
{
TObservers * observers = self.storageObservers;
auto & f = GetFramework();
auto & s = f.Storage();
s.Subscribe([observers](storage::TCountryId const & countryId)
{
loopWrappers(observers, ^(TStorageObserver observer)
{
[observer processCountryEvent:countryId];
});
},
[observers](storage::TCountryId const & countryId, storage::LocalAndRemoteSizeT const & progress)
{
loopWrappers(observers, ^(TStorageObserver observer)
{
if ([observer respondsToSelector:@selector(processCountry:progress:)])
[observer processCountry:countryId progress:progress];
});
});
}
#pragma mark - Properties
- (UserMark const *)userMark
{
return m_userMark ? m_userMark->GetUserMark() : nullptr;
}
- (void)setUserMark:(const UserMark *)userMark
{
if (userMark)
m_userMark.reset(new UserMarkCopy(userMark, false));
else
m_userMark = nullptr;
}
@end

View file

@ -0,0 +1,43 @@
#include "map/user_mark.hpp"
#include "platform/location.hpp"
#include "routing/router.hpp"
#include "storage/index.hpp"
#include "storage/storage_defines.hpp"
@protocol MWMFrameworkObserver <NSObject>
@end
@protocol MWMFrameworkRouteBuilderObserver <MWMFrameworkObserver>
- (void)processRouteBuilderEvent:(routing::IRouter::ResultCode)code
countries:(storage::TCountriesVec const &)absentCountries
routes:(storage::TCountriesVec const &)absentRoutes;
@optional
- (void)processRouteBuilderProgress:(CGFloat)progress;
@end
@protocol MWMFrameworkMyPositionObserver <MWMFrameworkObserver>
- (void)processMyPositionStateModeChange:(location::EMyPositionMode)mode;
@end
@protocol MWMFrameworkUserMarkObserver <MWMFrameworkObserver>
- (void)processUserMarkActivation:(UserMark const *)mark;
@end
@protocol MWMFrameworkStorageObserver <MWMFrameworkObserver>
- (void)processCountryEvent:(storage::TCountryId const &)countryId;
@optional
- (void)processCountry:(storage::TCountryId const &)countryId progress:(storage::LocalAndRemoteSizeT const &)progress;
@end

View file

@ -11,19 +11,26 @@
#include "Framework.h"
#include "platform/platform.hpp"
#include "storage/country_info_getter.hpp"
#include "storage/storage_defines.hpp"
#include "storage/storage_helpers.hpp"
static NSString * const kDownloadMapActionName = @"DownloadMapAction";
namespace
{
NSString * const kDownloadMapActionKey = @"DownloadMapActionKey";
NSString * const kDownloadMapActionName = @"DownloadMapActionName";
NSString * const kDownloadMapCountryId = @"DownloadMapCountryId";
static NSString * const kFlagsKey = @"DownloadMapNotificationFlags";
static double constexpr kRepeatedNotificationIntervalInSeconds = 3 * 30 * 24 * 60 * 60; // three months
NSString * const kFlagsKey = @"DownloadMapNotificationFlags";
NSTimeInterval constexpr kRepeatedNotificationIntervalInSeconds = 3 * 30 * 24 * 60 * 60; // three months
} // namespace
using namespace storage;
@interface LocalNotificationManager () <CLLocationManagerDelegate, UIAlertViewDelegate>
@property (nonatomic) CLLocationManager * locationManager;
@property (nonatomic) TIndex countryIndex;
@property (copy, nonatomic) CompletionHandler downloadMapCompletionHandler;
@property (weak, nonatomic) NSTimer * timer;
@ -50,13 +57,20 @@ using namespace storage;
- (void)processNotification:(UILocalNotification *)notification onLaunch:(BOOL)onLaunch
{
NSDictionary * userInfo = [notification userInfo];
if ([userInfo[@"Action"] isEqualToString:kDownloadMapActionName])
if ([userInfo[kDownloadMapActionKey] isEqualToString:kDownloadMapActionName])
{
[[Statistics instance] logEvent:@"'Download Map' Notification Clicked"];
[[MapsAppDelegate theApp].mapViewController.navigationController popToRootViewControllerAnimated:NO];
MapViewController * mapViewController = [MapsAppDelegate theApp].mapViewController;
[mapViewController.navigationController popToRootViewControllerAnimated:NO];
TIndex const index = TIndex([userInfo[@"Group"] intValue], [userInfo[@"Country"] intValue], [userInfo[@"Region"] intValue]);
[self downloadCountryWithIndex:index];
NSString * notificationCountryId = userInfo[kDownloadMapCountryId];
TCountryId const countryId = notificationCountryId.UTF8String;
[MapsAppDelegate downloadCountry:countryId alertController:mapViewController.alertController onDownload:^
{
auto & f = GetFramework();
double const defaultZoom = 10;
f.ShowRect(f.GetCountryBounds(countryId), defaultZoom);
}];
}
}
@ -65,11 +79,16 @@ using namespace storage;
- (void)showDownloadMapNotificationIfNeeded:(CompletionHandler)completionHandler
{
NSTimeInterval const completionTimeIndent = 2.0;
NSTimeInterval const backgroundTimeRemaining = UIApplication.sharedApplication.backgroundTimeRemaining - completionTimeIndent;
NSTimeInterval const backgroundTimeRemaining =
UIApplication.sharedApplication.backgroundTimeRemaining - completionTimeIndent;
if ([CLLocationManager locationServicesEnabled] && backgroundTimeRemaining > 0.0)
{
self.downloadMapCompletionHandler = completionHandler;
self.timer = [NSTimer scheduledTimerWithTimeInterval:backgroundTimeRemaining target:self selector:@selector(timerSelector:) userInfo:nil repeats:NO];
self.timer = [NSTimer scheduledTimerWithTimeInterval:backgroundTimeRemaining
target:self
selector:@selector(timerSelector:)
userInfo:nil
repeats:NO];
[self.locationManager startUpdatingLocation];
}
else
@ -79,24 +98,26 @@ using namespace storage;
}
}
- (void)markNotificationShowingForIndex:(TIndex)index
- (BOOL)shouldShowNotificationForCountryId:(NSString *)countryId
{
NSMutableDictionary * flags = [[[NSUserDefaults standardUserDefaults] objectForKey:kFlagsKey] mutableCopy];
if (!flags)
flags = [[NSMutableDictionary alloc] init];
flags[[self flagStringForIndex:index]] = [NSDate date];
NSUserDefaults * userDefaults = [NSUserDefaults standardUserDefaults];
[userDefaults setObject:flags forKey:kFlagsKey];
[userDefaults synchronize];
if (!countryId || countryId.length == 0)
return NO;
NSUserDefaults * ud = [NSUserDefaults standardUserDefaults];
NSDictionary<NSString *, NSDate *> * flags = [ud objectForKey:kFlagsKey];
NSDate * lastShowDate = flags[countryId];
return !lastShowDate ||
[[NSDate date] timeIntervalSinceDate:lastShowDate] > kRepeatedNotificationIntervalInSeconds;
}
- (BOOL)shouldShowNotificationForIndex:(TIndex)index
- (void)markNotificationShownForCountryId:(NSString *)countryId
{
NSDictionary * flags = [[NSUserDefaults standardUserDefaults] objectForKey:kFlagsKey];
NSDate * lastShowDate = flags[[self flagStringForIndex:index]];
return !lastShowDate || [[NSDate date] timeIntervalSinceDate:lastShowDate] > kRepeatedNotificationIntervalInSeconds;
NSUserDefaults * ud = [NSUserDefaults standardUserDefaults];
NSMutableDictionary<NSString *, NSDate *> * flags = [[ud objectForKey:kFlagsKey] mutableCopy];
if (!flags)
flags = [NSMutableDictionary dictionary];
flags[countryId] = [NSDate date];
[ud setObject:flags forKey:kFlagsKey];
[ud synchronize];
}
- (void)timerSelector:(id)sender
@ -106,30 +127,6 @@ using namespace storage;
[self performCompletionHandler:UIBackgroundFetchResultFailed];
}
- (void)downloadCountryWithIndex:(TIndex)index
{
/// @todo Fix this logic after Framework -> CountryTree -> ActiveMapLayout refactoring.
/// Call download via Framework.
Framework & f = GetFramework();
f.GetActiveMaps()->DownloadMap(index, MapOptions::Map);
double const defaultZoom = 10;
f.ShowRect(f.GetCountryBounds(index), defaultZoom);
}
- (NSString *)flagStringForIndex:(TIndex)index
{
return [NSString stringWithFormat:@"%i_%i_%i", index.m_group, index.m_country, index.m_region];
}
- (TIndex)indexWithFlagString:(NSString *)flag
{
NSArray * components = [flag componentsSeparatedByString:@"_"];
if ([components count] == 3)
return TIndex([components[0] intValue], [components[1] intValue], [components[2] intValue]);
return TIndex();
}
- (void)performCompletionHandler:(UIBackgroundFetchResult)result
{
if (!self.downloadMapCompletionHandler)
@ -151,7 +148,8 @@ using namespace storage;
return _locationManager;
}
- (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray<CLLocation *> *)locations
- (void)locationManager:(CLLocationManager *)manager
didUpdateLocations:(NSArray<CLLocation *> *)locations
{
[self.timer invalidate];
[self.locationManager stopUpdatingLocation];
@ -162,33 +160,35 @@ using namespace storage;
BOOL const onWiFi = (Platform::ConnectionStatus() == Platform::EConnectionType::CONNECTION_WIFI);
if (inBackground && onWiFi)
{
Framework & f = GetFramework();
CLLocation * lastLocation = [locations lastObject];
TIndex const index = f.GetCountryIndex(lastLocation.mercator);
if (index.IsValid() && [self shouldShowNotificationForIndex:index])
auto const & mercator = lastLocation.mercator;
auto & f = GetFramework();
auto const & countryInfoGetter = f.CountryInfoGetter();
if (!IsPointCoveredByDownloadedMaps(mercator, f.Storage(), countryInfoGetter))
{
TStatus const status = f.GetCountryStatus(index);
if (status == TStatus::ENotDownloaded)
NSString * countryId = @(countryInfoGetter.GetRegionCountryId(mercator).c_str());
if ([self shouldShowNotificationForCountryId:countryId])
{
[self markNotificationShowingForIndex:index];
[self markNotificationShownForCountryId:countryId];
UILocalNotification * notification = [[UILocalNotification alloc] init];
notification.alertAction = L(@"download");
notification.alertBody = L(@"download_map_notification");
notification.soundName = UILocalNotificationDefaultSoundName;
notification.userInfo = @{@"Action" : kDownloadMapActionName, @"Group" : @(index.m_group), @"Country" : @(index.m_country), @"Region" : @(index.m_region)};
notification.userInfo =
@{kDownloadMapActionKey : kDownloadMapActionName, kDownloadMapCountryId : countryId};
UIApplication * application = [UIApplication sharedApplication];
[application presentLocalNotificationNow:notification];
[Alohalytics logEvent:@"suggestedToDownloadMissingMapForCurrentLocation" atLocation:lastLocation];
[Alohalytics logEvent:@"suggestedToDownloadMissingMapForCurrentLocation"
atLocation:lastLocation];
flurryEventName = @"'Download Map' Notification Scheduled";
result = UIBackgroundFetchResultNewData;
}
}
}
[[Statistics instance] logEvent:flurryEventName withParameters:@{@"WiFi" : @(onWiFi)}];
[[Statistics instance] logEvent:flurryEventName withParameters:@{ @"WiFi" : @(onWiFi) }];
[self performCompletionHandler:result];
}

View file

@ -36,7 +36,7 @@ namespace
return self;
}
-(void)setMode:(location::EMyPositionMode) mode
-(void)setMode:(location::EMyPositionMode)mode
{
m_generatePredictions = (mode == location::MODE_ROTATE_AND_FOLLOW);
if (mode < location::MODE_NOT_FOLLOW)

View file

@ -1,4 +1,5 @@
#import "MWMBasePlacePageView.h"
#import "MWMFrameworkListener.h"
#import "MWMPlacePage.h"
#import "MWMPlacePageActionBar.h"
#import "MWMPlacePageBookmarkCell.h"
@ -193,7 +194,7 @@ enum class AttributePosition
BOOL const isMyPosition = type == MWMPlacePageEntityTypeMyPosition;
BOOL const isHeadingAvaible = [CLLocationManager headingAvailable];
using namespace location;
EMyPositionMode const mode = self.ownerPlacePage.manager.myPositionMode;
auto const mode = [MWMFrameworkListener listener].myPositionMode;
BOOL const noLocation = (mode == EMyPositionMode::MODE_UNKNOWN_POSITION || mode == EMyPositionMode::MODE_PENDING_POSITION);
self.distanceLabel.hidden = noLocation || isMyPosition;
BOOL const hideDirection = noLocation || isMyPosition || !isHeadingAvaible;

View file

@ -21,9 +21,6 @@ typedef NS_ENUM(NSUInteger, BookmarkDescriptionState)
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * textViewBottomOffset;
@property (nonatomic) UIBarButtonItem * leftButton;
@property (nonatomic) UIBarButtonItem * rightButton;
@property (weak, nonatomic) MWMPlacePageViewManager * manager;
@property (nonatomic) BookmarkDescriptionState state;
@ -58,10 +55,7 @@ typedef NS_ENUM(NSUInteger, BookmarkDescriptionState)
self.state = BookmarkDescriptionStateEditText;
if (self.iPadOwnerNavigationController)
{
UIBarButtonItem * leftButton = [[UIBarButtonItem alloc] initWithCustomView:self.backButton];
[self.navigationItem setLeftBarButtonItem:leftButton];
}
[self showBackButton];
}
- (void)viewWillAppear:(BOOL)animated
@ -137,22 +131,26 @@ typedef NS_ENUM(NSUInteger, BookmarkDescriptionState)
- (void)configureNavigationBarForEditing
{
self.leftButton = [[UIBarButtonItem alloc] initWithTitle:L(@"cancel") style:UIBarButtonItemStylePlain target:self action:@selector(cancelTap)];
self.rightButton = [[UIBarButtonItem alloc] initWithTitle:L(@"done") style:UIBarButtonItemStylePlain target:self action:@selector(doneTap)];
[self setupButtons];
self.navigationItem.leftBarButtonItem =
[[UIBarButtonItem alloc] initWithTitle:L(@"cancel")
style:UIBarButtonItemStylePlain
target:self
action:@selector(cancelTap)];
self.navigationItem.rightBarButtonItem =
[[UIBarButtonItem alloc] initWithTitle:L(@"done")
style:UIBarButtonItemStylePlain
target:self
action:@selector(doneTap)];
}
- (void)configureNavigationBarForView
{
self.leftButton = [[UIBarButtonItem alloc] initWithCustomView:self.backButton];
self.rightButton = [[UIBarButtonItem alloc] initWithTitle:L(@"edit") style:UIBarButtonItemStylePlain target:self action:@selector(editTap)];
[self setupButtons];
}
- (void)setupButtons
{
[self.navigationItem setLeftBarButtonItem:self.leftButton];
[self.navigationItem setRightBarButtonItem:self.rightButton];
[self showBackButton];
self.navigationItem.rightBarButtonItem =
[[UIBarButtonItem alloc] initWithTitle:L(@"edit")
style:UIBarButtonItemStylePlain
target:self
action:@selector(editTap)];
}
- (void)cancelTap
@ -217,17 +215,4 @@ typedef NS_ENUM(NSUInteger, BookmarkDescriptionState)
return YES;
}
#pragma mark - Buttons
- (UIButton *)backButton
{
UIImage * backImage = [UIImage imageNamed:@"ic_nav_bar_back"];
CGFloat const imageSide = backImage.size.width;
UIButton * button = [[UIButton alloc] initWithFrame:CGRectMake(0., 0., imageSide, imageSide)];
[button setImage:backImage forState:UIControlStateNormal];
[button addTarget:self action:@selector(backTap) forControlEvents:UIControlEventTouchUpInside];
button.imageEdgeInsets = UIEdgeInsetsMake(0., -32., 0., 0.);
return button;
}
@end

View file

@ -36,12 +36,6 @@ using MWMPlacePageCellTypeValueMap = map<MWMPlacePageCellType, string>;
@class MWMPlacePageViewManager;
@protocol MWMPlacePageEntityProtocol <NSObject>
- (UserMark const *)userMark;
@end
@interface MWMPlacePageEntity : NSObject
+ (NSString *)makeMWMCuisineString:(NSSet<NSString *> *)cuisines;
@ -67,7 +61,6 @@ using MWMPlacePageCellTypeValueMap = map<MWMPlacePageCellType, string>;
@property (nonatomic, readonly) ms::LatLon latlon;
- (instancetype)initWithDelegate:(id<MWMPlacePageEntityProtocol>)delegate;
- (void)synchronize;
- (void)toggleCoordinateSystem;

View file

@ -1,3 +1,4 @@
#import "MWMFrameworkListener.h"
#import "MWMPlacePageEntity.h"
#import "MWMPlacePageViewManager.h"
#import "MapViewController.h"
@ -58,7 +59,7 @@ void initFieldsMap()
@interface MWMPlacePageEntity ()
@property (weak, nonatomic) id<MWMPlacePageEntityProtocol> delegate;
@property (nonatomic, readwrite) BOOL canEditObject;
@end
@ -87,13 +88,11 @@ void initFieldsMap()
return [localizedCuisines componentsJoinedByString:kMWMCuisineSeparator];
}
- (instancetype)initWithDelegate:(id<MWMPlacePageEntityProtocol>)delegate
- (instancetype)init
{
NSAssert(delegate, @"delegate can not be nil.");
self = [super init];
if (self)
{
_delegate = delegate;
initFieldsMap();
[self config];
}
@ -102,7 +101,7 @@ void initFieldsMap()
- (void)config
{
UserMark const * mark = self.delegate.userMark;
UserMark const * mark = [MWMFrameworkListener listener].userMark;
_latlon = mark->GetLatLon();
using Type = UserMark::Type;
switch (mark->GetMarkType())
@ -264,7 +263,7 @@ void initFieldsMap()
- (void)processStreets
{
FeatureType * feature = self.delegate.userMark->GetFeature();
FeatureType * feature = [MWMFrameworkListener listener].userMark->GetFeature();
if (!feature)
return;
@ -283,7 +282,7 @@ void initFieldsMap()
- (void)setEditableTypes
{
FeatureType * feature = self.delegate.userMark->GetFeature();
FeatureType const * feature = [MWMFrameworkListener listener].userMark->GetFeature();
if (!feature)
return;
@ -311,7 +310,7 @@ void initFieldsMap()
- (void)saveEditedCells:(MWMPlacePageCellTypeValueMap const &)cells
{
FeatureType * feature = self.delegate.userMark->GetFeature();
FeatureType * feature = [MWMFrameworkListener listener].userMark->GetFeature();
NSAssert(feature != nullptr, @"Feature is null");
if (!feature)
return;

View file

@ -11,11 +11,10 @@
@property (nonatomic) CGFloat topBound;
@property (nonatomic) CGFloat leftBound;
@property (nonatomic, readonly) BOOL isDirectionViewShown;
@property (nonatomic, readonly) location::EMyPositionMode myPositionMode;
- (instancetype)initWithViewController:(UIViewController *)viewController
delegate:(id<MWMPlacePageViewManagerProtocol>)delegate;
- (void)showPlacePageWithUserMark:(unique_ptr<UserMarkCopy>)userMark;
- (void)showPlacePage;
- (void)reloadPlacePage;
- (void)refreshPlacePage;
- (void)mwm_refreshUI;

View file

@ -5,6 +5,7 @@
#import "MWMAPIBar.h"
#import "MWMBasePlacePageView.h"
#import "MWMDirectionView.h"
#import "MWMFrameworkListener.h"
#import "MWMiPadPlacePage.h"
#import "MWMiPhoneLandscapePlacePage.h"
#import "MWMiPhonePortraitPlacePage.h"
@ -30,10 +31,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
MWMPlacePageManagerStateOpen
};
@interface MWMPlacePageViewManager () <LocationObserver, MWMPlacePageEntityProtocol>
{
unique_ptr<UserMarkCopy> m_userMark;
}
@interface MWMPlacePageViewManager () <LocationObserver>
@property (weak, nonatomic) UIViewController * ownerViewController;
@property (nonatomic, readwrite) MWMPlacePageEntity * entity;
@ -67,30 +65,30 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
- (void)dismissPlacePage
{
if (!m_userMark)
MWMFrameworkListener * listener = [MWMFrameworkListener listener];
if (!listener.userMark)
return;
[self.delegate placePageDidClose];
self.state = MWMPlacePageManagerStateClosed;
[self.placePage dismiss];
[[MapsAppDelegate theApp].m_locationManager stop:self];
m_userMark = nullptr;
listener.userMark = nullptr;
GetFramework().DeactivateUserMark();
self.placePage = nil;
}
- (void)showPlacePageWithUserMark:(unique_ptr<UserMarkCopy>)userMark
- (void)showPlacePage
{
NSAssert(userMark, @"userMark can not be nil.");
m_userMark = move(userMark);
[[MapsAppDelegate theApp].m_locationManager start:self];
[self reloadPlacePage];
}
- (void)reloadPlacePage
{
if (!m_userMark)
MWMFrameworkListener * listener = [MWMFrameworkListener listener];
if (!listener.userMark)
return;
self.entity = [[MWMPlacePageEntity alloc] initWithDelegate:self];
self.entity = [[MWMPlacePageEntity alloc] init];
self.state = MWMPlacePageManagerStateOpen;
if (IPAD)
[self setPlacePageForiPad];
@ -99,13 +97,6 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
[self configPlacePage];
}
#pragma mark - MWMPlacePageEntityProtocol
- (UserMark const *)userMark
{
return m_userMark->GetUserMark();
}
#pragma mark - Layout
- (void)willRotateToInterfaceOrientation:(UIInterfaceOrientation)orientation
@ -219,14 +210,16 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
[[Statistics instance] logEvent:kStatEventName(kStatPlacePage, kStatBuildRoute)
withParameters:@{kStatValue : kStatDestination}];
[Alohalytics logEvent:kAlohalyticsTapEventKey withValue:@"ppRoute"];
m2::PointD const & destination = m_userMark->GetUserMark()->GetPivot();
MWMFrameworkListener * listener = [MWMFrameworkListener listener];
m2::PointD const & destination = listener.userMark->GetPivot();
m2::PointD const myPosition([MapsAppDelegate theApp].m_locationManager.lastLocation.mercator);
using namespace location;
EMyPositionMode mode = self.myPositionMode;
[self.delegate buildRouteFrom:mode != EMyPositionMode::MODE_UNKNOWN_POSITION && mode != EMyPositionMode::MODE_PENDING_POSITION ?
MWMRoutePoint(myPosition) :
MWMRoutePoint::MWMRoutePointZero()
to:{destination, self.placePage.basePlacePageView.titleLabel.text}];
auto const mode = listener.myPositionMode;
[self.delegate buildRouteFrom:mode != EMyPositionMode::MODE_UNKNOWN_POSITION &&
mode != EMyPositionMode::MODE_PENDING_POSITION
? MWMRoutePoint(myPosition)
: MWMRoutePoint::MWMRoutePointZero()
to:{destination, self.placePage.basePlacePageView.titleLabel.text}];
}
- (void)routeFrom
@ -249,7 +242,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
- (MWMRoutePoint)target
{
UserMark const * m = m_userMark->GetUserMark();
UserMark const * m = [MWMFrameworkListener listener].userMark;
m2::PointD const & org = m->GetPivot();
return m->GetMarkType() == UserMark::Type::MY_POSITION ?
MWMRoutePoint(org) :
@ -274,7 +267,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
- (void)apiBack
{
[[Statistics instance] logEvent:kStatEventName(kStatPlacePage, kStatAPI)];
ApiMarkPoint const * p = static_cast<ApiMarkPoint const *>(m_userMark->GetUserMark());
ApiMarkPoint const * p = static_cast<ApiMarkPoint const *>([MWMFrameworkListener listener].userMark);
NSURL * url = [NSURL URLWithString:@(GetFramework().GenerateApiBackUrl(*p).c_str())];
[[UIApplication sharedApplication] openURL:url];
[self.delegate apiBack];
@ -284,8 +277,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
{
BookmarkCategory * category = GetFramework().GetBmCategory(bac.first);
BookmarkCategory::Guard guard(*category);
UserMark const * bookmark = guard.m_controller.GetUserMark(bac.second);
m_userMark.reset(new UserMarkCopy(bookmark, false));
[MWMFrameworkListener listener].userMark = guard.m_controller.GetUserMark(bac.second);
}
- (void)editPlace
@ -300,8 +292,9 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
withParameters:@{kStatValue : kStatAdd}];
Framework & f = GetFramework();
BookmarkData data = BookmarkData(self.entity.title.UTF8String, f.LastEditedBMType());
MWMFrameworkListener * listener = [MWMFrameworkListener listener];
size_t const categoryIndex = f.LastEditedBMCategory();
m2::PointD const mercator = m_userMark->GetUserMark()->GetPivot();
m2::PointD const mercator = listener.userMark->GetPivot();
size_t const bookmarkIndex = f.GetBookmarkManager().AddBookmark(categoryIndex, mercator, data);
self.entity.bac = make_pair(categoryIndex, bookmarkIndex);
self.entity.type = MWMPlacePageEntityTypeBookmark;
@ -312,7 +305,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
// TODO(AlexZ): Refactor bookmarks code together to hide this code in the Framework/Drape.
// UI code should never know about any guards, pointers to UserMark etc.
const_cast<UserMark *>(bookmark)->SetFeature(f.GetFeatureAtPoint(mercator));
m_userMark.reset(new UserMarkCopy(bookmark, false));
listener.userMark = bookmark;
[NSNotificationCenter.defaultCenter postNotificationName:kBookmarksChangedNotification
object:nil
userInfo:nil];
@ -336,8 +329,7 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
// TODO(AlexZ): SetFeature is called in GetAddressMark here.
// UI code should never know about any guards, pointers to UserMark etc.
PoiMarkPoint const * poi = f.GetAddressMark(bookmark->GetPivot());
m_userMark.reset(new UserMarkCopy(poi, false));
[MWMFrameworkListener listener].userMark = f.GetAddressMark(bookmark->GetPivot());
if (bookmarkCategory)
{
{
@ -380,11 +372,12 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
- (NSString *)distance
{
CLLocation * location = [MapsAppDelegate theApp].m_locationManager.lastLocation;
if (!location || !m_userMark)
UserMark const * userMark = [MWMFrameworkListener listener].userMark;
if (!location || !userMark)
return @"";
string distance;
CLLocationCoordinate2D const coord = location.coordinate;
ms::LatLon const target = MercatorBounds::ToLatLon(m_userMark->GetUserMark()->GetPivot());
ms::LatLon const target = MercatorBounds::ToLatLon(userMark->GetPivot());
MeasurementUtils::FormatDistance(ms::DistanceOnEarth(coord.latitude, coord.longitude,
target.lat, target.lon), distance);
return @(distance.c_str());
@ -393,10 +386,11 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
- (void)onCompassUpdate:(location::CompassInfo const &)info
{
CLLocation * location = [MapsAppDelegate theApp].m_locationManager.lastLocation;
if (!location || !m_userMark)
UserMark const * userMark = [MWMFrameworkListener listener].userMark;
if (!location || !userMark)
return;
CGFloat const angle = ang::AngleTo(location.mercator, m_userMark->GetUserMark()->GetPivot()) + info.m_bearing;
CGFloat const angle = ang::AngleTo(location.mercator, userMark->GetPivot()) + info.m_bearing;
CGAffineTransform transform = CGAffineTransformMakeRotation(M_PI_2 - angle);
[self.placePage setDirectionArrowTransform:transform];
[self.directionView setDirectionArrowTransform:transform];
@ -454,9 +448,4 @@ typedef NS_ENUM(NSUInteger, MWMPlacePageManagerState)
_leftBound = self.placePage.leftBound = leftBound;
}
- (location::EMyPositionMode)myPositionMode
{
return self.delegate.myPositionMode;
}
@end

View file

@ -4,8 +4,6 @@
@protocol MWMPlacePageViewManagerProtocol <MWMRoutingProtocol>
@property (nonatomic, readonly) location::EMyPositionMode myPositionMode;
- (void)dragPlacePage:(CGRect)frame;
- (void)addPlacePageViews:(NSArray *)views;
- (void)updateStatusBarStyle;

View file

@ -1,44 +0,0 @@
#import "MWMTableViewCell.h"
#import "ProgressView.h"
#import "BadgeView.h"
#include "storage/storage_defines.hpp"
#include "platform/country_defines.hpp"
using namespace storage;
@class MapCell;
@protocol MapCellDelegate <NSObject>
@optional
- (void)mapCellDidStartDownloading:(MapCell *)cell;
- (void)mapCellDidCancelDownloading:(MapCell *)cell;
@end
@interface MapCell : MWMTableViewCell
@property (nonatomic, readonly) UILabel * titleLabel;
@property (nonatomic, readonly) UILabel * subtitleLabel;
@property (nonatomic, readonly) UILabel * sizeLabel;
@property (nonatomic, readonly) BadgeView * badgeView;
@property (nonatomic, readonly) UIView *separatorTop;
@property (nonatomic, readonly) UIView *separator;
@property (nonatomic, readonly) UIView *separatorBottom;
@property (nonatomic) BOOL parentMode;
@property (nonatomic) TStatus status;
@property (nonatomic) MapOptions options;
@property (nonatomic) double downloadProgress;
@property (nonatomic, weak) id <MapCellDelegate> delegate;
- (void)setStatus:(TStatus)status options:(MapOptions)options animated:(BOOL)animated;
- (void)setDownloadProgress:(double)downloadProgress animated:(BOOL)animated;
+ (CGFloat)cellHeight;
@end

View file

@ -1,363 +0,0 @@
#import "Common.h"
#import "MapCell.h"
#import "UIColor+MapsMeColor.h"
#import "UIFont+MapsMeFonts.h"
#import "UIImageView+Coloring.h"
@interface MapCell () <ProgressViewDelegate>
@property (nonatomic) UILabel * titleLabel;
@property (nonatomic) UILabel * subtitleLabel;
@property (nonatomic) UILabel * statusLabel;
@property (nonatomic) UILabel * sizeLabel;
@property (nonatomic) ProgressView * progressView;
@property (nonatomic) UIImageView * arrowView;
@property (nonatomic) BadgeView * badgeView;
@property (nonatomic) UIImageView * routingImageView;
@property (nonatomic) UIView *separatorTop;
@property (nonatomic) UIView *separator;
@property (nonatomic) UIView *separatorBottom;
@property (nonatomic, readonly) BOOL progressMode;
@end
@implementation MapCell
- (instancetype)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier
{
self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];
NSArray * subviews = @[self.titleLabel, self.subtitleLabel, self.statusLabel, self.sizeLabel, self.progressView, self.arrowView, self.badgeView, self.routingImageView, self.separator, self.separatorTop, self.separatorBottom];
for (UIView * subview in subviews)
[self.contentView addSubview:subview];
self.backgroundColor = [UIColor white];
self.titleLabel.textColor = [UIColor blackPrimaryText];
self.subtitleLabel.textColor = self.statusLabel.textColor = self.sizeLabel.textColor = [UIColor blackHintText];
return self;
}
- (void)setStatus:(TStatus)status options:(MapOptions)options animated:(BOOL)animated
{
self.status = status;
self.options = options;
self.progressView.failedMode = NO;
if (options == MapOptions::Map)
self.routingImageView.mwm_name = @"ic_routing_get";
else
self.routingImageView.mwm_name = @"ic_routing_ok";
switch (status)
{
case TStatus::ENotDownloaded:
case TStatus::EOnDiskOutOfDate:
if (status == TStatus::ENotDownloaded)
self.statusLabel.text = L(@"download").uppercaseString;
else
self.statusLabel.text = L(@"downloader_status_outdated").uppercaseString;
self.statusLabel.textColor = [UIColor linkBlue];
[self setProgressMode:NO withAnimatedLayout:animated];
break;
case TStatus::EInQueue:
case TStatus::EDownloading:
self.statusLabel.textColor = [UIColor blackHintText];
[self setDownloadProgress:self.downloadProgress animated:animated];
if (status == TStatus::EInQueue)
self.statusLabel.text = L(@"downloader_queued").uppercaseString;
break;
case TStatus::EOnDisk:
{
self.statusLabel.text = L(@"downloader_downloaded").uppercaseString;
self.statusLabel.textColor = [UIColor blackHintText];
if (animated)
{
[self alignSubviews];
[self performAfterDelay:0.3 block:^{
[self setProgressMode:NO withAnimatedLayout:YES];
}];
}
else
{
[self setProgressMode:NO withAnimatedLayout:NO];
}
break;
}
case TStatus::EOutOfMemFailed:
case TStatus::EDownloadFailed:
self.progressView.failedMode = YES;
self.statusLabel.text = L(@"downloader_retry").uppercaseString;
self.statusLabel.textColor = [UIColor red];
[self setProgressMode:YES withAnimatedLayout:animated];
break;
case TStatus::EUnknown:
break;
}
}
- (void)setDownloadProgress:(double)downloadProgress animated:(BOOL)animated
{
self.downloadProgress = downloadProgress;
self.statusLabel.text = [NSString stringWithFormat:@"%li%%", long(downloadProgress * 100)];
[self.progressView setProgress:downloadProgress animated:animated];
if (!self.progressMode)
[self setProgressMode:YES withAnimatedLayout:animated];
}
- (void)setProgressMode:(BOOL)progressMode withAnimatedLayout:(BOOL)withLayout
{
_progressMode = progressMode;
self.progressView.progress = self.downloadProgress;
if (withLayout)
{
if (progressMode)
self.progressView.hidden = NO;
[UIView animateWithDuration:0.5 delay:0 damping:0.9 initialVelocity:0 options:UIViewAnimationOptionCurveEaseIn animations:^{
[self alignProgressView];
[self alignSubviews];
} completion:^(BOOL finished) {
if (!progressMode)
self.progressView.hidden = YES;
}];
}
else
{
[self alignProgressView];
[self alignSubviews];
}
}
- (void)alignProgressView
{
self.progressView.minX = self.progressMode ? self.contentView.width - [self rightOffset] + 2 : self.contentView.width;
}
- (void)alignSubviews
{
self.progressView.hidden = self.parentMode || !self.progressMode;
self.progressView.midY = self.contentView.height / 2;
self.arrowView.center = CGPointMake(self.contentView.width - [self minimumRightOffset] - 4, self.contentView.height / 2);
self.arrowView.hidden = !self.parentMode;
[self.statusLabel sizeToIntegralFit];
self.statusLabel.width = MAX(self.statusLabel.width, 60);
[self.sizeLabel sizeToIntegralFit];
self.statusLabel.frame = CGRectMake(self.contentView.width - [self rightOffset] - self.statusLabel.width, 14, self.statusLabel.width, 16);
self.statusLabel.hidden = self.parentMode;
CGFloat const sizeLabelMinY = self.statusLabel.maxY;
self.sizeLabel.frame = CGRectMake(self.contentView.width - [self rightOffset] - self.sizeLabel.width, sizeLabelMinY, self.sizeLabel.width, 16);
self.sizeLabel.textColor = [UIColor blackHintText];
self.sizeLabel.hidden = self.parentMode;
CGFloat const rightLabelsMaxWidth = self.parentMode ? 10 : MAX(self.statusLabel.width, self.sizeLabel.width);
CGFloat const leftLabelsWidth = self.contentView.width - [self leftOffset] - [self betweenSpace] - rightLabelsMaxWidth - [self rightOffset];
CGFloat const titleLabelWidth = [self.titleLabel.text sizeWithDrawSize:CGSizeMake(1000, 20) font:self.titleLabel.font].width;
self.titleLabel.frame = CGRectMake([self leftOffset], self.subtitleLabel.text == nil ? 19 : 10, MIN(titleLabelWidth, leftLabelsWidth), 20);
self.subtitleLabel.frame = CGRectMake([self leftOffset], self.titleLabel.maxY + 1, leftLabelsWidth, 18);
self.subtitleLabel.hidden = self.subtitleLabel.text == nil;
self.routingImageView.center = CGPointMake(self.contentView.width - 25, self.contentView.height / 2 - 1);
self.routingImageView.alpha = [self shouldShowRoutingView];
self.separatorTop.frame = CGRectMake(0, 0, self.contentView.width, PIXEL);
self.separatorTop.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleBottomMargin;
self.separatorBottom.frame = CGRectMake(0, self.contentView.height - PIXEL, self.contentView.width, PIXEL);
self.separatorBottom.autoresizingMask = UIViewAutoresizingFlexibleTopMargin | UIViewAutoresizingFlexibleTopMargin;
}
- (void)prepareForReuse
{
self.separatorTop.hidden = YES;
self.separatorBottom.hidden = YES;
self.separator.hidden = NO;
}
- (void)layoutSubviews
{
[super layoutSubviews];
[self alignSubviews];
if (!self.parentMode)
{
[self alignProgressView];
[self setStatus:self.status options:self.options animated:NO];
}
self.badgeView.minX = self.titleLabel.maxX + 3;
self.badgeView.minY = self.titleLabel.minY - 5;
self.separator.minX = self.titleLabel.minX;
self.separator.size = CGSizeMake(self.contentView.width - 2 * self.separator.minX, PIXEL);
self.separator.maxY = self.contentView.height;
}
- (BOOL)shouldShowRoutingView
{
return !self.progressMode && !self.parentMode && self.status != TStatus::ENotDownloaded;
}
- (CGFloat)leftOffset
{
return 12;
}
- (CGFloat)betweenSpace
{
return 10;
}
- (CGFloat)rightOffset
{
return self.progressMode || [self shouldShowRoutingView] ? 50 : [self minimumRightOffset];
}
- (CGFloat)minimumRightOffset
{
return 12;
}
+ (CGFloat)cellHeight
{
return 59;
}
- (void)rightTap:(id)sender
{
[self.delegate mapCellDidStartDownloading:self];
}
- (void)progressViewDidStart:(ProgressView *)progress
{
[self.delegate mapCellDidStartDownloading:self];
}
- (void)progressViewDidCancel:(ProgressView *)progress
{
[self.delegate mapCellDidCancelDownloading:self];
}
- (UIImageView *)arrowView
{
if (!_arrowView)
_arrowView = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"AccessoryView"]];
return _arrowView;
}
- (ProgressView *)progressView
{
if (!_progressView)
{
_progressView = [[ProgressView alloc] init];
_progressView.delegate = self;
}
return _progressView;
}
- (UILabel *)titleLabel
{
if (!_titleLabel)
{
_titleLabel = [[UILabel alloc] initWithFrame:CGRectZero];
_titleLabel.backgroundColor = [UIColor clearColor];
_titleLabel.textColor = [UIColor blackPrimaryText];
_titleLabel.font = [UIFont regular17];
}
return _titleLabel;
}
- (UILabel *)subtitleLabel
{
if (!_subtitleLabel)
{
_subtitleLabel = [[UILabel alloc] initWithFrame:CGRectZero];
_subtitleLabel.backgroundColor = [UIColor clearColor];
_subtitleLabel.textColor = [UIColor blackSecondaryText];
_subtitleLabel.font = [UIFont fontWithName:@"HelveticaNeue-Light" size:13];
}
return _subtitleLabel;
}
- (UILabel *)statusLabel
{
if (!_statusLabel)
{
_statusLabel = [[UILabel alloc] initWithFrame:CGRectZero];
_statusLabel.backgroundColor = [UIColor clearColor];
_statusLabel.textAlignment = NSTextAlignmentRight;
_statusLabel.font = [UIFont fontWithName:@"HelveticaNeue-Light" size:13];
}
return _statusLabel;
}
- (UILabel *)sizeLabel
{
if (!_sizeLabel)
{
_sizeLabel = [[UILabel alloc] initWithFrame:CGRectZero];
_sizeLabel.backgroundColor = [UIColor clearColor];
_sizeLabel.textAlignment = NSTextAlignmentRight;
_sizeLabel.font = [UIFont fontWithName:@"HelveticaNeue-Light" size:13];
}
return _sizeLabel;
}
- (UIImageView *)routingImageView
{
if (!_routingImageView)
{
_routingImageView = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"ic_routing_get_light"]];
_routingImageView.mwm_name = @"ic_routing_get";
}
return _routingImageView;
}
- (BadgeView *)badgeView
{
if (!_badgeView)
_badgeView = [[BadgeView alloc] init];
return _badgeView;
}
- (UIView *)separatorTop
{
if (!_separatorTop)
{
_separatorTop = [[UIView alloc] initWithFrame:CGRectZero];
_separatorTop.backgroundColor = [UIColor blackDividers];
}
return _separatorTop;
}
- (UIView *)separator
{
if (!_separator)
{
_separator = [[UIView alloc] initWithFrame:CGRectZero];
_separator.backgroundColor = [UIColor blackDividers];
}
return _separator;
}
- (UIView *)separatorBottom
{
if (!_separatorBottom)
{
_separatorBottom = [[UIView alloc] initWithFrame:CGRectZero];
_separatorBottom.backgroundColor = [UIColor blackDividers];
}
return _separatorBottom;
}
@end

View file

@ -0,0 +1,15 @@
#import "MWMMapDownloaderTableViewCell.h"
#import "MWMViewController.h"
@interface MWMMapCountryDownloaderViewController : MWMViewController <UITableViewDelegate, UITableViewDataSource>
@property (weak, nonatomic) IBOutlet UILabel * allMapsLabel;
@property (nonatomic) NSMutableDictionary * offscreenCells;
@property (nonatomic) BOOL showAllMapsView;
- (void)configTable;
- (void)configAllMapsView;
@end

View file

@ -0,0 +1,278 @@
#import "Common.h"
#import "MWMMapCountryDownloaderViewController.h"
#import "UIColor+MapsMeColor.h"
extern NSString * const kPlaceCellIdentifier = @"MWMMapDownloaderPlaceTableViewCell";
typedef void (^AlertActionType)(UIAlertAction *);
@interface MWMMapCountryDownloaderViewController () <UIActionSheetDelegate>
@property (weak, nonatomic) IBOutlet UITableView * tableView;
@property (weak, nonatomic) IBOutlet UIView * allMapsView;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint * allMapsViewBottomOffset;
@property (nonatomic) UIImage * navBarBackground;
@property (nonatomic) UIImage * navBarShadow;
@property (nonatomic) CGFloat lastScrollOffset;
@property (copy, nonatomic) AlertActionType downloadAction;
@property (copy, nonatomic) AlertActionType showAction;
@property (copy, nonatomic) NSString * downloadActionTitle;
@property (copy, nonatomic) NSString * showActionTitle;
@property (copy, nonatomic) NSString * cancelActionTitle;
@end
@implementation MWMMapCountryDownloaderViewController
- (void)viewDidLoad
{
[super viewDidLoad];
[self configTable];
[self configAllMapsView];
[self configActions];
}
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
UINavigationBar * navBar = [UINavigationBar appearance];
self.navBarBackground = [navBar backgroundImageForBarMetrics:UIBarMetricsDefault];
self.navBarShadow = navBar.shadowImage;
UIColor * searchBarColor = [UIColor primary];
[navBar setBackgroundImage:[UIImage imageWithColor:searchBarColor]
forBarMetrics:UIBarMetricsDefault];
navBar.shadowImage = [UIImage imageWithColor:[UIColor clearColor]];
}
- (void)viewWillDisappear:(BOOL)animated
{
[super viewWillDisappear:animated];
UINavigationBar * navBar = [UINavigationBar appearance];
[navBar setBackgroundImage:self.navBarBackground forBarMetrics:UIBarMetricsDefault];
navBar.shadowImage = self.navBarShadow;
}
#pragma mark - Table
- (void)configTable
{
self.offscreenCells = [NSMutableDictionary dictionary];
[self.tableView registerNib:[UINib nibWithNibName:kPlaceCellIdentifier bundle:nil] forCellReuseIdentifier:kPlaceCellIdentifier];
}
- (NSString *)cellIdentifierForIndexPath:(NSIndexPath *)indexPath
{
return kPlaceCellIdentifier;
}
#pragma mark - Offscreen cells
- (MWMMapDownloaderTableViewCell *)offscreenCellForIdentifier:(NSString *)reuseIdentifier
{
MWMMapDownloaderTableViewCell * cell = self.offscreenCells[reuseIdentifier];
if (!cell)
{
cell = [[[NSBundle mainBundle] loadNibNamed:reuseIdentifier owner:nil options:nil] firstObject];
self.offscreenCells[reuseIdentifier] = cell;
}
return cell;
}
#pragma mark - UIScrollViewDelegate
- (void)scrollViewWillEndDragging:(UIScrollView * _Nonnull)scrollView withVelocity:(CGPoint)velocity targetContentOffset:(inout CGPoint * _Nonnull)targetContentOffset
{
SEL const selector = @selector(refreshAllMapsView);
[NSObject cancelPreviousPerformRequestsWithTarget:self selector:selector object:nil];
[self refreshAllMapsViewForOffset:targetContentOffset->y];
}
- (void)scrollViewDidScroll:(UIScrollView * _Nonnull)scrollView
{
SEL const selector = @selector(refreshAllMapsView);
[NSObject cancelPreviousPerformRequestsWithTarget:self selector:selector object:nil];
[self performSelector:selector withObject:nil afterDelay:kDefaultAnimationDuration];
}
#pragma mark - All Maps Action
- (void)configAllMapsView
{
self.allMapsLabel.text = @"14 Maps (291 MB)";
self.showAllMapsView = YES;
}
- (void)refreshAllMapsView
{
[self refreshAllMapsViewForOffset:self.tableView.contentOffset.y];
}
- (void)refreshAllMapsViewForOffset:(CGFloat)scrollOffset
{
if (!self.showAllMapsView)
return;
BOOL const hide = (scrollOffset >= self.lastScrollOffset) && !equalScreenDimensions(scrollOffset, 0.0);
self.lastScrollOffset = scrollOffset;
if (self.allMapsView.hidden == hide)
return;
if (!hide)
self.allMapsView.hidden = hide;
[self.view layoutIfNeeded];
self.allMapsViewBottomOffset.constant = hide ? self.allMapsView.height : 0.0;
[UIView animateWithDuration:kDefaultAnimationDuration animations:^
{
self.allMapsView.alpha = hide ? 0.0 : 1.0;
[self.view layoutIfNeeded];
}
completion:^(BOOL finished)
{
if (hide)
self.allMapsView.hidden = hide;
}];
}
- (IBAction)allMapsAction
{
}
#pragma mark - Fill cells with data
- (void)fillCell:(MWMMapDownloaderTableViewCell * _Nonnull)cell atIndexPath:(NSIndexPath * _Nonnull)indexPath
{
}
#pragma mark - UITableViewDataSource
- (UITableViewCell * _Nonnull)tableView:(UITableView * _Nonnull)tableView cellForRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
NSString * reuseIdentifier = [self cellIdentifierForIndexPath:indexPath];
return [tableView dequeueReusableCellWithIdentifier:reuseIdentifier];
}
- (NSInteger)tableView:(UITableView * _Nonnull)tableView numberOfRowsInSection:(NSInteger)section
{
return 20;
}
#pragma mark - UITableViewDelegate
- (CGFloat)tableView:(UITableView * _Nonnull)tableView heightForRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
NSString * reuseIdentifier = [self cellIdentifierForIndexPath:indexPath];
MWMMapDownloaderTableViewCell * cell = [self offscreenCellForIdentifier:reuseIdentifier];
[self fillCell:cell atIndexPath:indexPath];
[cell setNeedsUpdateConstraints];
[cell updateConstraintsIfNeeded];
cell.bounds = {{}, {CGRectGetWidth(tableView.bounds), CGRectGetHeight(cell.bounds)}};
[cell setNeedsLayout];
[cell layoutIfNeeded];
CGSize const size = [cell.contentView systemLayoutSizeFittingSize:UILayoutFittingCompressedSize];
return size.height;
}
- (CGFloat)tableView:(UITableView * _Nonnull)tableView estimatedHeightForRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
NSString * reuseIdentifier = [self cellIdentifierForIndexPath:indexPath];
MWMMapDownloaderTableViewCell * cell = [self offscreenCellForIdentifier:reuseIdentifier];
return cell.estimatedHeight;
}
- (void)tableView:(UITableView * _Nonnull)tableView willDisplayCell:(MWMMapDownloaderTableViewCell * _Nonnull)cell forRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
[self fillCell:cell atIndexPath:indexPath];
}
- (void)tableView:(UITableView * _Nonnull)tableView didSelectRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
[tableView deselectRowAtIndexPath:indexPath animated:YES];
NSString * title = @"Alessandria";
NSString * message = @"Italy, Piemont";
NSString * downloadActionTitle = [self.downloadActionTitle stringByAppendingString:@", 38 MB"];
if (isIOSVersionLessThan(8))
{
UIActionSheet * actionSheet = [[UIActionSheet alloc] initWithTitle:message
delegate:self
cancelButtonTitle:nil
destructiveButtonTitle:nil
otherButtonTitles:nil];
[actionSheet addButtonWithTitle:downloadActionTitle];
[actionSheet addButtonWithTitle:self.showActionTitle];
if (!IPAD)
{
[actionSheet addButtonWithTitle:self.cancelActionTitle];
actionSheet.cancelButtonIndex = actionSheet.numberOfButtons - 1;
}
UITableViewCell * cell = [tableView cellForRowAtIndexPath:indexPath];
[actionSheet showFromRect:cell.frame inView:cell.superview animated:YES];
}
else
{
UIAlertController * alertController =
[UIAlertController alertControllerWithTitle:title
message:message
preferredStyle:UIAlertControllerStyleActionSheet];
UIAlertAction * downloadAction = [UIAlertAction actionWithTitle:downloadActionTitle
style:UIAlertActionStyleDefault
handler:self.downloadAction];
UIAlertAction * showAction = [UIAlertAction actionWithTitle:self.showActionTitle
style:UIAlertActionStyleDefault
handler:self.showAction];
UIAlertAction * cancelAction = [UIAlertAction actionWithTitle:self.cancelActionTitle
style:UIAlertActionStyleCancel
handler:nil];
[alertController addAction:downloadAction];
[alertController addAction:showAction];
[alertController addAction:cancelAction];
[self presentViewController:alertController animated:YES completion:nil];
}
}
#pragma mark - UIActionSheetDelegate
- (void)actionSheet:(UIActionSheet * _Nonnull)actionSheet clickedButtonAtIndex:(NSInteger)buttonIndex
{
NSString * btnTitle = [actionSheet buttonTitleAtIndex:buttonIndex];
if ([btnTitle hasPrefix:self.downloadActionTitle])
self.downloadAction(nil);
else if ([btnTitle isEqualToString:self.showActionTitle])
self.showAction(nil);
}
#pragma mark - Action Sheet actions
- (void)configActions
{
self.downloadAction = ^(UIAlertAction * action)
{
};
self.showAction = ^(UIAlertAction * action)
{
};
self.downloadActionTitle = L(@"downloader_download_map");
self.showActionTitle = L(@"zoom_to_country");
self.cancelActionTitle = L(@"cancel");
}
#pragma mark - Managing the Status Bar
- (UIStatusBarStyle)preferredStatusBarStyle
{
return UIStatusBarStyleLightContent;
}
#pragma mark - Properties
- (void)setShowAllMapsView:(BOOL)showAllMapsView
{
_showAllMapsView = showAllMapsView;
self.allMapsView.hidden = !showAllMapsView;
}
@end

View file

@ -0,0 +1,5 @@
#import "MWMMapDownloaderTableViewCell.h"
@interface MWMMapDownloaderCountryTableViewCell : MWMMapDownloaderTableViewCell
@end

View file

@ -0,0 +1,21 @@
#import "MWMMapDownloaderCountryTableViewCell.h"
@implementation MWMMapDownloaderCountryTableViewCell
- (void)layoutSubviews
{
CGFloat const titleLeadingOffset = 60.0;
CGFloat const titleTrailingOffset = 80.0;
CGFloat const preferredMaxLayoutWidth = CGRectGetWidth(self.bounds) - titleLeadingOffset - titleTrailingOffset;
self.title.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
[super layoutSubviews];
}
#pragma mark - Properties
- (CGFloat)estimatedHeight
{
return 52.0;
}
@end

View file

@ -0,0 +1,7 @@
#import "MWMMapDownloaderTableViewCell.h"
@interface MWMMapDownloaderLargeCountryTableViewCell : MWMMapDownloaderTableViewCell
@property (weak, nonatomic) IBOutlet UILabel * mapsCount;
@end

View file

@ -0,0 +1,22 @@
#import "MWMMapDownloaderLargeCountryTableViewCell.h"
@implementation MWMMapDownloaderLargeCountryTableViewCell
- (void)layoutSubviews
{
CGFloat const titleLeadingOffset = 60.0;
CGFloat const titleTrailingOffset = 112.0;
CGFloat const preferredMaxLayoutWidth = CGRectGetWidth(self.bounds) - titleLeadingOffset - titleTrailingOffset;
self.title.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
self.mapsCount.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
[super layoutSubviews];
}
#pragma mark - Properties
- (CGFloat)estimatedHeight
{
return 62.0;
}
@end

View file

@ -0,0 +1,7 @@
#import "MWMMapDownloaderTableViewCell.h"
@interface MWMMapDownloaderPlaceTableViewCell : MWMMapDownloaderTableViewCell
@property (weak, nonatomic) IBOutlet UILabel * area;
@end

View file

@ -0,0 +1,22 @@
#import "MWMMapDownloaderPlaceTableViewCell.h"
@implementation MWMMapDownloaderPlaceTableViewCell
- (void)layoutSubviews
{
CGFloat const titleLeadingOffset = 60.0;
CGFloat const titleTrailingOffset = 80.0;
CGFloat const preferredMaxLayoutWidth = CGRectGetWidth(self.bounds) - titleLeadingOffset - titleTrailingOffset;
self.title.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
self.area.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
[super layoutSubviews];
}
#pragma mark - Properties
- (CGFloat)estimatedHeight
{
return 62.0;
}
@end

View file

@ -0,0 +1,8 @@
#import "MWMMapDownloaderTableViewCell.h"
@interface MWMMapDownloaderSubplaceTableViewCell : MWMMapDownloaderTableViewCell
@property (weak, nonatomic) IBOutlet UILabel * area;
@property (weak, nonatomic) IBOutlet UILabel * subPlace;
@end

View file

@ -0,0 +1,23 @@
#import "MWMMapDownloaderSubplaceTableViewCell.h"
@implementation MWMMapDownloaderSubplaceTableViewCell
- (void)layoutSubviews
{
CGFloat const titleLeadingOffset = 60.0;
CGFloat const titleTrailingOffset = 80.0;
CGFloat const preferredMaxLayoutWidth = CGRectGetWidth(self.bounds) - titleLeadingOffset - titleTrailingOffset;
self.title.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
self.area.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
self.subPlace.preferredMaxLayoutWidth = preferredMaxLayoutWidth;
[super layoutSubviews];
}
#pragma mark - Properties
- (CGFloat)estimatedHeight
{
return 82.0;
}
@end

View file

@ -0,0 +1,10 @@
@interface MWMMapDownloaderTableViewCell : UITableViewCell
@property (nonatomic, readonly) CGFloat estimatedHeight;
@property (weak, nonatomic) IBOutlet UIView * stateWrapper;
@property (weak, nonatomic) IBOutlet UILabel * title;
@property (weak, nonatomic) IBOutlet UILabel * downloadSize;
@property (weak, nonatomic) IBOutlet UIView * separator;
@end

View file

@ -0,0 +1,38 @@
#import "MWMCircularProgress.h"
#import "MWMMapDownloaderTableViewCell.h"
@interface MWMMapDownloaderTableViewCell () <MWMCircularProgressProtocol>
@property (nonatomic) MWMCircularProgress * progressView;
@end
@implementation MWMMapDownloaderTableViewCell
#pragma mark - Properties
- (void)awakeFromNib
{
[super awakeFromNib];
self.progressView = [[MWMCircularProgress alloc] initWithParentView:self.stateWrapper];
self.progressView.delegate = self;
[self.progressView setImage:[UIImage imageNamed:@"ic_download"] forState:MWMCircularProgressStateNormal];
[self.progressView setImage:[UIImage imageNamed:@"ic_download"] forState:MWMCircularProgressStateSelected];
[self.progressView setImage:[UIImage imageNamed:@"ic_close_spinner"] forState:MWMCircularProgressStateProgress];
[self.progressView setImage:[UIImage imageNamed:@"ic_download_error"] forState:MWMCircularProgressStateFailed];
[self.progressView setImage:[UIImage imageNamed:@"ic_check"] forState:MWMCircularProgressStateCompleted];
}
- (CGFloat)estimatedHeight
{
return 52.0;
}
#pragma mark - MWMCircularProgressDelegate
- (void)progressButtonPressed:(nonnull MWMCircularProgress *)progress
{
}
@end

View file

@ -0,0 +1,11 @@
@class MWMMapDownloaderTableViewHeader;
@interface MWMMapDownloaderTableViewHeader : UIView
+ (CGFloat)height;
@property (weak, nonatomic) IBOutlet UILabel * title;
@property (nonatomic) BOOL lastSection;
@end

View file

@ -0,0 +1,17 @@
#import "Common.h"
#import "MWMMapDownloaderTableViewHeader.h"
@interface MWMMapDownloaderTableViewHeader ()
@property (weak, nonatomic) IBOutlet UIView * separatorDown;
@end
@implementation MWMMapDownloaderTableViewHeader
+ (CGFloat)height
{
return 28.0;
}
@end

View file

@ -0,0 +1,5 @@
#import "MWMMapCountryDownloaderViewController.h"
@interface MWMMapDownloaderViewController : MWMMapCountryDownloaderViewController
@end

View file

@ -0,0 +1,221 @@
#import "Common.h"
#import "MWMMapDownloaderCountryTableViewCell.h"
#import "MWMMapDownloaderLargeCountryTableViewCell.h"
#import "MWMMapDownloaderPlaceTableViewCell.h"
#import "MWMMapDownloaderSubplaceTableViewCell.h"
#import "MWMMapDownloaderTableViewHeader.h"
#import "MWMMapDownloaderViewController.h"
#import "UIColor+MapsMeColor.h"
#import "UIKitCategories.h"
#include "std/vector.hpp"
static NSString * const kCountryCellIdentifier = @"MWMMapDownloaderCountryTableViewCell";
static NSString * const kLargeCountryCellIdentifier = @"MWMMapDownloaderLargeCountryTableViewCell";
static NSString * const kSubplaceCellIdentifier = @"MWMMapDownloaderSubplaceTableViewCell";
extern NSString * const kPlaceCellIdentifier;
static NSUInteger const sectionsCount = 2;
static NSUInteger const cellsCount = 4;
static NSString * const kCellType = @"kCellType";
static NSString * const kCellTitle = @"kCellTitle";
static NSString * const kCellDownloadSize = @"kCellDownloadSize";
static NSString * const kCellMapsCount = @"kCellMapsCount";
static NSString * const kCellArea = @"kCellArea";
static NSString * const kCellSubplace = @"kCellSubplace";
@interface MWMMapDownloaderViewController ()<UISearchBarDelegate, UIScrollViewDelegate>
@property (weak, nonatomic) IBOutlet UIView * statusBarBackground;
@property (weak, nonatomic) IBOutlet UISearchBar * searchBar;
@property (weak, nonatomic) IBOutlet UITableView * tableView;
@property (nonatomic) NSMutableDictionary * dataSource;
@end
@implementation MWMMapDownloaderViewController
- (void)viewDidLoad
{
[super viewDidLoad];
self.title = L(@"download_maps");
self.searchBar.placeholder = L(@"search_downloaded_maps");
self.dataSource = [NSMutableDictionary dictionary];
self.dataSource[[NSIndexPath indexPathForRow:0 inSection:0]] = @{kCellType : kCountryCellIdentifier, kCellTitle : @"Algeria", kCellDownloadSize : @"123 MB"};
self.dataSource[[NSIndexPath indexPathForRow:1 inSection:0]] = @{kCellType : kPlaceCellIdentifier, kCellTitle : @"London", kCellDownloadSize : @"456 MB", kCellArea : @"UK"};
self.dataSource[[NSIndexPath indexPathForRow:2 inSection:0]] = @{kCellType : kLargeCountryCellIdentifier, kCellTitle : @"Brazil", kCellDownloadSize : @"789 MB", kCellMapsCount : @"14 maps"};
self.dataSource[[NSIndexPath indexPathForRow:3 inSection:0]] = @{kCellType : kSubplaceCellIdentifier, kCellTitle : @"Western Cape", kCellDownloadSize : @"1234 MB", kCellArea : @"South Africa", kCellSubplace : @"Mossel Bay"};
self.dataSource[[NSIndexPath indexPathForRow:0 inSection:1]] = @{kCellType : kCountryCellIdentifier, kCellTitle : @"Соединенное Королевство Великобритании и Северной Ирландии", kCellDownloadSize : @"9876 МБ"};
self.dataSource[[NSIndexPath indexPathForRow:1 inSection:1]] = @{kCellType : kPlaceCellIdentifier, kCellTitle : @"กรุงเทพมหานคร อมรรัตนโกสินทร์ มหินทรายุธยามหาดิลก ภพนพรัตน์ ราชธานีบุรีรมย์ อุดมราชนิเวศน์ มหาสถาน อมรพิมาน อวตารสถิต สักกะทัตติยะ วิษณุกรรมประสิทธิ์", kCellDownloadSize : @"999 MB", kCellArea : @"Таиланд"};
self.dataSource[[NSIndexPath indexPathForRow:2 inSection:1]] = @{kCellType : kLargeCountryCellIdentifier, kCellTitle : @"Muckanaghederdauhaulia", kCellDownloadSize : @"1234 MB", kCellMapsCount : @"999 maps"};
self.dataSource[[NSIndexPath indexPathForRow:3 inSection:1]] = @{kCellType : kSubplaceCellIdentifier, kCellTitle : @"กรุงเทพมหานคร อมรรัตนโกสินทร์ มหินทรายุธยามหาดิลก ภพนพรัตน์ ราชธานีบุรีรมย์ อุดมราชนิเวศน์ มหาสถาน อมรพิมาน อวตารสถิต สักกะทัตติยะ วิษณุกรรมประสิทธิ์", kCellDownloadSize : @"999 MB", kCellArea : @"Соединенное Королевство Великобритании и Северной Ирландии", kCellSubplace : @"Venkatanarasimharajuvaripeta"};
}
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
UIColor * searchBarColor = [UIColor primary];
self.statusBarBackground.backgroundColor = self.searchBar.barTintColor = searchBarColor;
self.searchBar.backgroundImage = [UIImage imageWithColor:searchBarColor];
}
#pragma mark - Table
- (void)configTable
{
[super configTable];
[self.tableView registerNib:[UINib nibWithNibName:kCountryCellIdentifier bundle:nil] forCellReuseIdentifier:kCountryCellIdentifier];
[self.tableView registerNib:[UINib nibWithNibName:kLargeCountryCellIdentifier bundle:nil] forCellReuseIdentifier:kLargeCountryCellIdentifier];
[self.tableView registerNib:[UINib nibWithNibName:kSubplaceCellIdentifier bundle:nil] forCellReuseIdentifier:kSubplaceCellIdentifier];
}
- (NSString *)cellIdentifierForIndexPath:(NSIndexPath *)indexPath
{
NSIndexPath * path = [NSIndexPath indexPathForRow:[indexPath indexAtPosition:1] inSection:[indexPath indexAtPosition:0]];
return self.dataSource[path][kCellType];
}
#pragma mark - All Maps Action
- (void)configAllMapsView
{
[super configAllMapsView];
self.allMapsLabel.text = @"5 Outdated Maps (108 MB)";
self.showAllMapsView = YES;
}
- (IBAction)allMapsAction
{
}
#pragma mark - Fill cells with data
- (void)fillCell:(MWMMapDownloaderTableViewCell * _Nonnull)cell atIndexPath:(NSIndexPath * _Nonnull)indexPath
{
NSDictionary * data = self.dataSource[indexPath];
BOOL const isLastCellInSection = indexPath.row == 3;
if ([cell isKindOfClass:[MWMMapDownloaderCountryTableViewCell class]])
{
MWMMapDownloaderCountryTableViewCell * tCell = (MWMMapDownloaderCountryTableViewCell *)cell;
tCell.title.text = data[kCellTitle];
tCell.downloadSize.text = data[kCellDownloadSize];
tCell.separator.hidden = isLastCellInSection;
}
else if ([cell isKindOfClass:[MWMMapDownloaderPlaceTableViewCell class]])
{
MWMMapDownloaderPlaceTableViewCell * tCell = (MWMMapDownloaderPlaceTableViewCell *)cell;
tCell.title.text = data[kCellTitle];
tCell.downloadSize.text = data[kCellDownloadSize];
tCell.area.text = data[kCellArea];
tCell.separator.hidden = isLastCellInSection;
}
else if ([cell isKindOfClass:[MWMMapDownloaderLargeCountryTableViewCell class]])
{
MWMMapDownloaderLargeCountryTableViewCell * tCell = (MWMMapDownloaderLargeCountryTableViewCell *)cell;
tCell.title.text = data[kCellTitle];
tCell.downloadSize.text = data[kCellDownloadSize];
tCell.mapsCount.text = data[kCellMapsCount];
tCell.separator.hidden = isLastCellInSection;
}
else if ([cell isKindOfClass:[MWMMapDownloaderSubplaceTableViewCell class]])
{
MWMMapDownloaderSubplaceTableViewCell * tCell = (MWMMapDownloaderSubplaceTableViewCell *)cell;
tCell.title.text = data[kCellTitle];
tCell.downloadSize.text = data[kCellDownloadSize];
tCell.area.text = data[kCellArea];
tCell.subPlace.text = data[kCellSubplace];
tCell.separator.hidden = isLastCellInSection;
}
}
#pragma mark - UITableViewDataSource
- (NSInteger)numberOfSectionsInTableView:(UITableView * _Nonnull)tableView
{
return sectionsCount;
}
- (NSInteger)tableView:(UITableView * _Nonnull)tableView numberOfRowsInSection:(NSInteger)section
{
return cellsCount;
}
- (NSArray<NSString *> * _Nullable)sectionIndexTitlesForTableView:(UITableView * _Nonnull)tableView
{
// return nil;
return @[@"A", @"Z"];
}
- (NSInteger)tableView:(UITableView * _Nonnull)tableView sectionForSectionIndexTitle:(NSString * _Nonnull)title atIndex:(NSInteger)index
{
return index;
}
#pragma mark - UITableViewDelegate
- (UIView * _Nullable)tableView:(UITableView * _Nonnull)tableView viewForHeaderInSection:(NSInteger)section
{
MWMMapDownloaderTableViewHeader * headerView =
[[[NSBundle mainBundle] loadNibNamed:@"MWMMapDownloaderTableViewHeader"
owner:nil
options:nil] firstObject];
headerView.lastSection = (section == sectionsCount - 1);
headerView.title.text = [NSString stringWithFormat:@"Header: %@", @(section)];
return headerView;
}
- (CGFloat)tableView:(UITableView * _Nonnull)tableView heightForHeaderInSection:(NSInteger)section
{
return [MWMMapDownloaderTableViewHeader height];
}
- (void)tableView:(UITableView * _Nonnull)tableView didSelectRowAtIndexPath:(NSIndexPath * _Nonnull)indexPath
{
NSString * identifier = [self cellIdentifierForIndexPath:indexPath];
if ([identifier isEqualToString:kLargeCountryCellIdentifier])
{
[tableView deselectRowAtIndexPath:indexPath animated:YES];
[self performSegueWithIdentifier:@"MapDownloader2CountryDownloaderSegue" sender:indexPath];
}
else
{
[super tableView:tableView didSelectRowAtIndexPath:indexPath];
}
}
#pragma mark - Segue
- (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(NSIndexPath *)indexPath
{
MWMMapCountryDownloaderViewController * destVC = segue.destinationViewController;
destVC.title = @"BRAZILIA";
}
#pragma mark - UISearchBarDelegate
- (BOOL)searchBarShouldBeginEditing:(UISearchBar * _Nonnull)searchBar
{
[self.searchBar setShowsCancelButton:YES animated:YES];
[self.navigationController setNavigationBarHidden:YES animated:YES];
self.tableView.contentInset = self.tableView.scrollIndicatorInsets = {};
return YES;
}
- (BOOL)searchBarShouldEndEditing:(UISearchBar * _Nonnull)searchBar
{
return YES;
}
- (void)searchBarCancelButtonClicked:(UISearchBar * _Nonnull)searchBar
{
self.searchBar.text = @"";
[self.searchBar resignFirstResponder];
[self.searchBar setShowsCancelButton:NO animated:YES];
[self.navigationController setNavigationBarHidden:NO animated:YES];
self.tableView.contentInset = self.tableView.scrollIndicatorInsets = {};
}
@end

View file

@ -35,7 +35,7 @@ namespace search { struct AddressInfo; }
- (void)performAction:(NSString *)action;
- (void)openBookmarks;
- (void)downloadMaps;
- (void)openMapsDownloader;
- (void)refreshAd;
@ -48,7 +48,7 @@ namespace search { struct AddressInfo; }
@property (nonatomic, readonly) MWMMapViewControlsManager * controlsManager;
@property (nonatomic) m2::PointD restoreRouteDestination;
@property (nonatomic) MWMAPIBar * apiBar;
@property (nonatomic) BOOL skipPlacePageDismissOnViewDisappear;
@property (nonatomic, readonly) MWMAlertViewController * alertController;
@end

View file

@ -1,7 +1,6 @@
#import "BookmarksRootVC.h"
#import "BookmarksVC.h"
#import "Common.h"
#import "CountryTreeVC.h"
#import "EAGLView.h"
#import "MapsAppDelegate.h"
#import "MapViewController.h"
@ -97,7 +96,8 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
@end
@interface MapViewController () <MTRGNativeAppwallAdDelegate>
@interface MapViewController ()<MTRGNativeAppwallAdDelegate, MWMFrameworkRouteBuilderObserver,
MWMFrameworkMyPositionObserver, MWMFrameworkUserMarkObserver>
@property (nonatomic, readwrite) MWMMapViewControlsManager * controlsManager;
@property (nonatomic) MWMBottomMenuState menuRestoreState;
@ -181,33 +181,6 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
GetFramework().OnCompassUpdate(info);
}
- (void)onLocationStateModeChanged:(location::EMyPositionMode)newMode
{
[m_predictor setMode:newMode];
[self.controlsManager setMyPositionMode:newMode];
switch (newMode)
{
case location::MODE_UNKNOWN_POSITION:
{
self.disableStandbyOnLocationStateMode = NO;
[[MapsAppDelegate theApp].m_locationManager stop:self];
break;
}
case location::MODE_PENDING_POSITION:
self.disableStandbyOnLocationStateMode = NO;
[[MapsAppDelegate theApp].m_locationManager start:self];
break;
case location::MODE_NOT_FOLLOW:
self.disableStandbyOnLocationStateMode = NO;
break;
case location::MODE_FOLLOW:
case location::MODE_ROTATE_AND_FOLLOW:
self.disableStandbyOnLocationStateMode = YES;
break;
}
}
#pragma mark - Restore route
- (void)restoreRoute
@ -223,23 +196,6 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
[self.controlsManager dismissPlacePage];
}
- (void)onUserMarkClicked:(unique_ptr<UserMarkCopy>)mark
{
if (mark == nullptr)
{
[self dismissPlacePage];
auto & f = GetFramework();
if (!f.HasActiveUserMark() && self.controlsManager.searchHidden && !f.IsRouteNavigable())
self.controlsManager.hidden = !self.controlsManager.hidden;
}
else
{
self.controlsManager.hidden = NO;
[self.controlsManager showPlacePageWithUserMark:move(mark)];
}
}
- (void)onMyPositionClicked:(id)sender
{
GetFramework().SwitchMyPositionNextMode();
@ -440,7 +396,6 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
{
if (isIOS7)
return;
NSUserDefaults * ud = [NSUserDefaults standardUserDefaults];
BOOL const whatsNewWasShown = [ud boolForKey:kUDWhatsNewWasShown];
if (whatsNewWasShown)
@ -522,155 +477,64 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
- (void)initialize
{
Framework & f = GetFramework();
using UserMarkActivatedFnT = void (*)(id, SEL, unique_ptr<UserMarkCopy>);
using PlacePageDismissedFnT = void (*)(id, SEL);
SEL userMarkSelector = @selector(onUserMarkClicked:);
UserMarkActivatedFnT userMarkFn = (UserMarkActivatedFnT)[self methodForSelector:userMarkSelector];
f.SetUserMarkActivationListener(bind(userMarkFn, self, userMarkSelector, _1));
m_predictor = [[LocationPredictor alloc] initWithObserver:self];
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
self.userTouchesAction = UserTouchesActionNone;
self.menuRestoreState = MWMBottomMenuStateInactive;
f.LoadBookmarks();
using TLocationStateModeFn = void (*)(id, SEL, location::EMyPositionMode);
SEL locationStateModeSelector = @selector(onLocationStateModeChanged:);
TLocationStateModeFn locationStateModeFn = (TLocationStateModeFn)[self methodForSelector:locationStateModeSelector];
f.SetMyPositionModeListener(bind(locationStateModeFn, self, locationStateModeSelector, _1));
f.SetDownloadCountryListener([self](storage::TIndex const & idx, int opt)
{
if (opt == -1)
{
GetFramework().GetCountryTree().GetActiveMapLayout().RetryDownloading(idx);
}
else
{
[self checkMigrationAndCallBlock:^
{
ActiveMapsLayout & layout = GetFramework().GetCountryTree().GetActiveMapLayout();
LocalAndRemoteSizeT sizes = layout.GetRemoteCountrySizes(idx);
uint64_t sizeToDownload = sizes.first;
MapOptions options = static_cast<MapOptions>(opt);
if (HasOptions(options, MapOptions::CarRouting))
sizeToDownload += sizes.second;
NSString * name = @(layout.GetCountryName(idx).c_str());
Platform::EConnectionType const connection = Platform::ConnectionStatus();
if (connection != Platform::EConnectionType::CONNECTION_NONE)
{
if (connection == Platform::EConnectionType::CONNECTION_WWAN && sizeToDownload > 50 * MB)
{
[self.alertController presentNoWiFiAlertWithName:name downloadBlock:^
{
layout.DownloadMap(idx, static_cast<MapOptions>(opt));
}];
return;
}
}
else
{
[self.alertController presentNoConnectionAlert];
return;
}
layout.DownloadMap(idx, static_cast<MapOptions>(opt));
}];
}
});
f.SetDownloadCancelListener([self](storage::TIndex const & idx)
{
GetFramework().GetCountryTree().GetActiveMapLayout().CancelDownloading(idx);
});
f.SetAutoDownloadListener([self](storage::TIndex const & idx)
{
if (![self isEqual:self.navigationController.topViewController] || platform::migrate::NeedMigrate())
return;
bool autoDownloadEnabled = true;
(void)Settings::Get(kAutoDownloadEnabledKey, autoDownloadEnabled);
if (autoDownloadEnabled && Platform::ConnectionStatus() == Platform::EConnectionType::CONNECTION_WIFI)
GetFramework().GetCountryTree().GetActiveMapLayout().DownloadMap(idx, MapOptions::MapWithCarRouting);
});
f.SetRouteBuildingListener([self, &f](routing::IRouter::ResultCode code, vector<storage::TIndex> const & absentCountries, vector<storage::TIndex> const & absentRoutes)
{
dispatch_async(dispatch_get_main_queue(), [=]
{
if (code != routing::IRouter::ResultCode::NoError && platform::migrate::NeedMigrate())
{
[self.controlsManager routingHidden];
[self checkMigrationAndCallBlock:^{}];
}
else
{
[self processRoutingBuildingEvent:code countries:absentCountries routes:absentRoutes];
}
});
});
f.SetRouteProgressListener([self](float progress)
{
dispatch_async(dispatch_get_main_queue(), ^
{
self.controlsManager.routeBuildingProgress = progress;
});
});
GetFramework().LoadBookmarks();
[[MWMFrameworkListener listener] addObserver:self];
}
- (void)checkMigrationAndCallBlock:(TMWMVoidBlock)block
- (void)openMapsDownloader
{
if (platform::migrate::NeedMigrate())
[Alohalytics logEvent:kAlohalyticsTapEventKey withValue:@"downloader"];
[self performSegueWithIdentifier:@"Map2MapDownloaderSegue" sender:self];
}
#pragma mark - MWMFrameworkMyPositionObserver
- (void)processMyPositionStateModeChange:(location::EMyPositionMode)mode
{
[m_predictor setMode:mode];
switch (mode)
{
[[Statistics instance] logEvent:kStatShowBig2SmallMWM];
[self.alertController presentNeedMigrationAlertWithOkBlock:^
case location::MODE_UNKNOWN_POSITION:
{
[[Statistics instance] logEvent:kStatMigrationBig2SmallMWM];
[self.controlsManager routingHidden];
GetFramework().Migrate();
[self.controlsManager refreshLayout];
block();
}];
}
else
{
block();
self.disableStandbyOnLocationStateMode = NO;
[[MapsAppDelegate theApp].m_locationManager stop:self];
break;
}
case location::MODE_PENDING_POSITION:
self.disableStandbyOnLocationStateMode = NO;
[[MapsAppDelegate theApp].m_locationManager start:self];
break;
case location::MODE_NOT_FOLLOW:
self.disableStandbyOnLocationStateMode = NO;
break;
case location::MODE_FOLLOW:
case location::MODE_ROTATE_AND_FOLLOW:
self.disableStandbyOnLocationStateMode = YES;
break;
}
}
- (void)downloadMaps
{
[self checkMigrationAndCallBlock:^
{
[Alohalytics logEvent:kAlohalyticsTapEventKey withValue:@"downloader"];
CountryTreeVC * vc = [[CountryTreeVC alloc] initWithNodePosition:-1];
[self.navigationController pushViewController:vc animated:YES];
}];
}
#pragma mark - MWMFrameworkRouteBuilderObserver
- (void)processRoutingBuildingEvent:(routing::IRouter::ResultCode)code
countries:(vector<storage::TIndex> const &)absentCountries
routes:(vector<storage::TIndex> const &)absentRoutes
- (void)processRouteBuilderEvent:(routing::IRouter::ResultCode)code
countries:(storage::TCountriesVec const &)absentCountries
routes:(storage::TCountriesVec const &)absentRoutes
{
Framework & f = GetFramework();
switch (code)
{
case routing::IRouter::ResultCode::NoError:
{
self.controlsManager.routeBuildingProgress = 100.;
f.ActivateUserMark(nullptr, true);
self.controlsManager.routeBuildingProgress = 100.;
self.controlsManager.searchHidden = YES;
GetFramework().ActivateUserMark(nullptr, true);
if (self.forceRoutingStateChange == ForceRoutingStateChangeStartFollowing)
[self.controlsManager routingNavigation];
else
[self.controlsManager routingReady];
[self updateRoutingInfo];
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
bool isDisclaimerApproved = false;
(void)Settings::Get("IsDisclaimerApproved", isDisclaimerApproved);
if (!isDisclaimerApproved)
@ -686,29 +550,47 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
case routing::IRouter::FileTooOld:
case routing::IRouter::RouteNotFound:
{
[self.controlsManager handleRoutingError];
[self presentDownloaderAlert:code countries:absentCountries routes:absentRoutes block:[=]
{
auto & a = GetFramework().GetCountryTree().GetActiveMapLayout();
for (auto const & index : absentCountries)
a.DownloadMap(index, MapOptions::MapWithCarRouting);
for (auto const & index : absentRoutes)
a.DownloadMap(index, MapOptions::CarRouting);
auto & s = GetFramework().Storage();
for (auto const & countryId : absentCountries)
s.DownloadNode(countryId);
for (auto const & countryId : absentRoutes)
s.DownloadNode(countryId);
[self openMapsDownloader];
}];
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
break;
}
case routing::IRouter::Cancelled:
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
break;
default:
[self.controlsManager handleRoutingError];
[self presentDefaultAlert:code];
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
break;
}
self.forceRoutingStateChange = ForceRoutingStateChangeNone;
}
#pragma mark - MWMFrameworkUserMarkObserver
- (void)processUserMarkActivation:(UserMark const *)mark
{
if (mark == nullptr)
{
[self dismissPlacePage];
auto & f = GetFramework();
if (!f.HasActiveUserMark() && self.controlsManager.searchHidden && !f.IsRouteNavigable())
self.controlsManager.hidden = !self.controlsManager.hidden;
}
else
{
self.controlsManager.hidden = NO;
[self.controlsManager showPlacePage];
}
}
#pragma mark - Bookmarks
- (void)openBookmarks
{
BOOL const oneCategory = (GetFramework().GetBmCategoriesCount() == 1);
@ -808,8 +690,8 @@ NSString * const kAuthorizationSegue = @"Map2AuthorizationSegue";
#pragma mark - ShowDialog callback
- (void)presentDownloaderAlert:(routing::IRouter::ResultCode)code
countries:(vector<storage::TIndex> const &)countries
routes:(vector<storage::TIndex> const &)routes
countries:(storage::TCountriesVec const &)countries
routes:(storage::TCountriesVec const &)routes
block:(TMWMVoidBlock)block
{
if (countries.size() || routes.size())

View file

@ -1,6 +1,6 @@
#import "DownloadIndicatorProtocol.h"
#import "MapsObservers.h"
#import "MWMAlertViewController.h"
#import "MWMFrameworkListener.h"
#import "MWMNavigationController.h"
#include "indexer/map_style.hpp"
@ -17,7 +17,7 @@ typedef NS_ENUM(NSUInteger, MWMRoutingPlaneMode)
};
@interface MapsAppDelegate : UIResponder<UIApplicationDelegate, UIAlertViewDelegate,
ActiveMapsObserverProtocol, DownloadIndicatorProtocol>
DownloadIndicatorProtocol>
{
NSInteger m_activeDownloadsCounter;
UIBackgroundTaskIdentifier m_backgroundTask;
@ -31,7 +31,10 @@ typedef NS_ENUM(NSUInteger, MWMRoutingPlaneMode)
@property (nonatomic, readonly) MapViewController * mapViewController;
@property (nonatomic, readonly) LocationManager * m_locationManager;
@property (nonatomic, readonly) MWMFrameworkListener * frameworkListener;
+ (MapsAppDelegate *)theApp;
+ (void)downloadCountry:(storage::TCountryId const &)countryId alertController:(MWMAlertViewController *)alertController onDownload:(TMWMVoidBlock)onDownload;
- (void)enableStandby;
- (void)disableStandby;

View file

@ -89,7 +89,7 @@ void InitLocalizedStrings()
using namespace osm_auth_ios;
@interface MapsAppDelegate ()
@interface MapsAppDelegate () <MWMFrameworkStorageObserver>
@property (nonatomic) NSInteger standbyCounter;
@ -106,7 +106,6 @@ using namespace osm_auth_ios;
NSString * m_scheme;
NSString * m_sourceApplication;
ActiveMapsObserver * m_mapsObserver;
}
+ (MapsAppDelegate *)theApp
@ -114,6 +113,37 @@ using namespace osm_auth_ios;
return (MapsAppDelegate *)[UIApplication sharedApplication].delegate;
}
+ (void)downloadCountry:(storage::TCountryId const &)countryId alertController:(MWMAlertViewController *)alertController onDownload:(TMWMVoidBlock)onDownload
{
auto & s = GetFramework().Storage();
storage::NodeAttrs attrs;
s.GetNodeAttrs(countryId, attrs);
auto downloadCountry = ^
{
s.DownloadNode(countryId);
if (onDownload)
onDownload();
};
switch (Platform::ConnectionStatus())
{
case Platform::EConnectionType::CONNECTION_NONE:
[alertController presentNoConnectionAlert];
break;
case Platform::EConnectionType::CONNECTION_WIFI:
downloadCountry();
break;
case Platform::EConnectionType::CONNECTION_WWAN:
{
size_t const warningSizeForWWAN = 50 * MB;
if (attrs.m_mwmSize > warningSizeForWWAN)
[alertController presentNoWiFiAlertWithName:@(attrs.m_nodeLocalName.c_str()) downloadBlock:downloadCountry];
else
downloadCountry();
break;
}
}
}
#pragma mark - Notifications
- (void)registerNotifications:(UIApplication *)application launchOptions:(NSDictionary *)launchOptions
@ -242,16 +272,16 @@ using namespace osm_auth_ios;
[HttpThread setDownloadIndicatorProtocol:self];
InitLocalizedStrings();
[Preferences setup];
[self subscribeToStorage];
[[MWMFrameworkListener listener] addObserver:self];
[MapsAppDelegate customizeAppearance];
self.standbyCounter = 0;
NSTimeInterval const minimumBackgroundFetchIntervalInSeconds = 6 * 60 * 60;
[[UIApplication sharedApplication] setMinimumBackgroundFetchInterval:minimumBackgroundFetchIntervalInSeconds];
[self startAdServerForbiddenCheckTimer];
Framework & f = GetFramework();
[UIApplication sharedApplication].applicationIconBadgeNumber = f.GetCountryTree().GetActiveMapLayout().GetOutOfDateCount();
f.InvalidateMyPosition();
[self updateApplicationIconBadgeNumber];
GetFramework().InvalidateMyPosition();
}
- (void)determineMapStyle
@ -677,7 +707,6 @@ using namespace osm_auth_ios;
textFieldInSearchBar.defaultTextAttributes = @{NSForegroundColorAttributeName : [UIColor blackPrimaryText]};
}
- (void)application:(UIApplication *)application didReceiveLocalNotification:(UILocalNotification *)notification
{
[[LocalNotificationManager sharedManager] processNotification:notification onLaunch:NO];
@ -745,25 +774,12 @@ using namespace osm_auth_ios;
[self.mapViewController dismissPopover];
}
- (void)subscribeToStorage
- (void)updateApplicationIconBadgeNumber
{
__weak MapsAppDelegate * weakSelf = self;
m_mapsObserver = new ActiveMapsObserver(weakSelf);
GetFramework().GetCountryTree().GetActiveMapLayout().AddListener(m_mapsObserver);
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(outOfDateCountriesCountChanged:) name:MapsStatusChangedNotification object:nil];
}
- (void)countryStatusChangedAtPosition:(int)position inGroup:(storage::ActiveMapsLayout::TGroup const &)group
{
ActiveMapsLayout & l = GetFramework().GetCountryTree().GetActiveMapLayout();
int const outOfDateCount = l.GetOutOfDateCount();
[[NSNotificationCenter defaultCenter] postNotificationName:MapsStatusChangedNotification object:nil userInfo:@{@"OutOfDate" : @(outOfDateCount)}];
}
- (void)outOfDateCountriesCountChanged:(NSNotification *)notification
{
[UIApplication sharedApplication].applicationIconBadgeNumber = [[notification userInfo][@"OutOfDate"] integerValue];
auto & s = GetFramework().Storage();
storage::Storage::UpdateInfo updateInfo{};
s.GetUpdateInfo(s.GetRootId(), updateInfo);
[UIApplication sharedApplication].applicationIconBadgeNumber = updateInfo.m_numberOfMwmFilesToUpdate;
}
- (void)setRoutingPlaneMode:(MWMRoutingPlaneMode)routingPlaneMode
@ -772,6 +788,13 @@ using namespace osm_auth_ios;
[self.mapViewController updateStatusBarStyle];
}
#pragma mark - MWMFrameworkStorageObserver
- (void)processCountryEvent:(storage::TCountryId const &)countryId
{
[self updateApplicationIconBadgeNumber];
}
#pragma mark - Properties
- (MapViewController *)mapViewController
@ -779,6 +802,14 @@ using namespace osm_auth_ios;
return [(UINavigationController *)self.window.rootViewController viewControllers].firstObject;
}
@synthesize frameworkListener = _frameworkListener;
- (MWMFrameworkListener *)frameworkListener
{
if (!_frameworkListener)
_frameworkListener = [[MWMFrameworkListener alloc] init];
return _frameworkListener;
}
#pragma mark - Route state
- (void)restoreRouteState

View file

@ -1,56 +0,0 @@
#include "Framework.h"
#include "storage/storage_defines.hpp"
using namespace storage;
@protocol ActiveMapsObserverProtocol <NSObject>
- (void)countryStatusChangedAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group;
@optional
- (void)countryGroupChangedFromPosition:(int)oldPosition inGroup:(ActiveMapsLayout::TGroup const &)oldGroup toPosition:(int)newPosition inGroup:(ActiveMapsLayout::TGroup const &)newGroup;
- (void)countryOptionsChangedAtPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group;
- (void)countryDownloadingProgressChanged:(LocalAndRemoteSizeT const &)progress atPosition:(int)position inGroup:(ActiveMapsLayout::TGroup const &)group;
@end
@protocol CountryTreeObserverProtocol <NSObject>
- (void)countryStatusChangedAtPositionInNode:(int)position;
- (void)countryDownloadingProgressChanged:(LocalAndRemoteSizeT const &)progress atPositionInNode:(int)position;
@end
@class MWMWatchNotification;
class ActiveMapsObserver : public ActiveMapsLayout::ActiveMapsListener
{
public:
ActiveMapsObserver(id<ActiveMapsObserverProtocol> delegateObject);
virtual ~ActiveMapsObserver();
virtual void CountryGroupChanged(ActiveMapsLayout::TGroup const & oldGroup, int oldPosition,
ActiveMapsLayout::TGroup const & newGroup, int newPosition);
virtual void CountryStatusChanged(ActiveMapsLayout::TGroup const & group, int position,
TStatus const & oldStatus, TStatus const & newStatus);
virtual void CountryOptionsChanged(ActiveMapsLayout::TGroup const & group, int position,
MapOptions const & oldOpt, MapOptions const & newOpt);
virtual void DownloadingProgressUpdate(ActiveMapsLayout::TGroup const & group, int position, LocalAndRemoteSizeT const & progress);
private:
id<ActiveMapsObserverProtocol> m_delegateObject;
};
class CountryTreeObserver : public CountryTree::CountryTreeListener
{
public:
CountryTreeObserver(id<CountryTreeObserverProtocol> delegateObject);
virtual void ItemStatusChanged(int childPosition);
virtual void ItemProgressChanged(int childPosition, LocalAndRemoteSizeT const & sizes);
private:
id<CountryTreeObserverProtocol> m_delegateObject;
};

View file

@ -1,58 +0,0 @@
#import <Foundation/Foundation.h>
#import "MapsObservers.h"
#import "Common.h"
ActiveMapsObserver::ActiveMapsObserver(id<ActiveMapsObserverProtocol> delegateObject)
: m_delegateObject(delegateObject)
{
}
ActiveMapsObserver::~ActiveMapsObserver()
{
m_delegateObject = nil;
}
void ActiveMapsObserver::CountryGroupChanged(ActiveMapsLayout::TGroup const & oldGroup, int oldPosition,
ActiveMapsLayout::TGroup const & newGroup, int newPosition)
{
if ([m_delegateObject respondsToSelector:@selector(countryGroupChangedFromPosition:inGroup:toPosition:inGroup:)])
[m_delegateObject countryGroupChangedFromPosition:oldPosition inGroup:oldGroup toPosition:newPosition inGroup:newGroup];
}
void ActiveMapsObserver::CountryStatusChanged(ActiveMapsLayout::TGroup const & group, int position,
TStatus const & oldStatus, TStatus const & newStatus)
{
if ([m_delegateObject respondsToSelector:@selector(countryStatusChangedAtPosition:inGroup:)])
[m_delegateObject countryStatusChangedAtPosition:position inGroup:group];
}
void ActiveMapsObserver::CountryOptionsChanged(ActiveMapsLayout::TGroup const & group, int position, MapOptions const & oldOpt, MapOptions const & newOpt)
{
if ([m_delegateObject respondsToSelector:@selector(countryOptionsChangedAtPosition:inGroup:)])
[m_delegateObject countryOptionsChangedAtPosition:position inGroup:group];
}
void ActiveMapsObserver::DownloadingProgressUpdate(ActiveMapsLayout::TGroup const & group, int position, LocalAndRemoteSizeT const & progress)
{
if ([m_delegateObject respondsToSelector:@selector(countryDownloadingProgressChanged:atPosition:inGroup:)])
[m_delegateObject countryDownloadingProgressChanged:progress atPosition:position inGroup:group];
}
CountryTreeObserver::CountryTreeObserver(id<CountryTreeObserverProtocol> delegateObject)
: m_delegateObject(delegateObject)
{
}
void CountryTreeObserver::ItemStatusChanged(int childPosition)
{
if ([m_delegateObject respondsToSelector:@selector(countryStatusChangedAtPositionInNode:)])
[m_delegateObject countryStatusChangedAtPositionInNode:childPosition];
}
void CountryTreeObserver::ItemProgressChanged(int childPosition, storage::LocalAndRemoteSizeT const & sizes)
{
if ([m_delegateObject respondsToSelector:@selector(countryDownloadingProgressChanged:atPositionInNode:)])
[m_delegateObject countryDownloadingProgressChanged:sizes atPositionInNode:childPosition];
}

View file

@ -1,20 +0,0 @@
#import <UIKit/UIKit.h>
@class ProgressView;
@protocol ProgressViewDelegate <NSObject>
- (void)progressViewDidCancel:(ProgressView *)progress;
- (void)progressViewDidStart:(ProgressView *)progress;
@end
@interface ProgressView : UIView
@property (nonatomic) BOOL failedMode;
@property (nonatomic) double progress;
- (void)setProgress:(double)progress animated:(BOOL)animated;
@property (nonatomic, weak) id <ProgressViewDelegate> delegate;
@end

View file

@ -1,158 +0,0 @@
#import "ProgressView.h"
#import "UIColor+MapsMeColor.h"
@interface ProgressView ()
@property (nonatomic) CAShapeLayer * progressLayer;
@property (nonatomic) CAShapeLayer * backgroundCircleLayer;
@property (nonatomic) CAShapeLayer * stopRectLayer;
@property (nonatomic) UIImageView * startTriangleView;
@property (nonatomic) UIButton * button;
@property (nonatomic) NSNumber * nextProgressToAnimate;
@end
@implementation ProgressView
#define CIRCLE_RADIUS 18
- (instancetype)init
{
self = [super initWithFrame:CGRectMake(0, 0, 44, 44)];
[self.layer addSublayer:self.backgroundCircleLayer];
[self.layer addSublayer:self.progressLayer];
[self.layer addSublayer:self.stopRectLayer];
[self addSubview:self.startTriangleView];
self.startTriangleView.center = CGPointMake(self.width / 2 + 1, self.height / 2);
[self addSubview:self.button];
[self setProgress:0 animated:NO];
return self;
}
- (void)buttonPressed:(id)sender
{
if (self.failedMode)
[self.delegate progressViewDidStart:self];
else
[self.delegate progressViewDidCancel:self];
}
- (CGFloat)angleWithProgress:(double)progress
{
return 2 * M_PI * progress - M_PI_2;
}
NSString * const CircleAnimationKey = @"CircleAnimation";
- (void)setProgress:(double)progress animated:(BOOL)animated
{
if ([self.progressLayer animationForKey:CircleAnimationKey])
{
self.nextProgressToAnimate = @(progress);
}
else
{
self.nextProgressToAnimate = nil;
CGPoint const center = CGPointMake(self.width / 2, self.height / 2);
CGFloat const radius = CIRCLE_RADIUS - self.progressLayer.lineWidth;
UIBezierPath * path = [UIBezierPath bezierPathWithArcCenter:center radius:radius startAngle:[self angleWithProgress:0] endAngle:[self angleWithProgress:progress] clockwise:YES];
if (animated)
{
self.progressLayer.path = path.CGPath;
CABasicAnimation * animation = [CABasicAnimation animationWithKeyPath:@"strokeEnd"];
animation.duration = 0.3;
animation.repeatCount = 1;
animation.fromValue = @(_progress / progress);
animation.toValue = @1;
animation.timingFunction = [CAMediaTimingFunction functionWithName:kCAMediaTimingFunctionEaseInEaseOut];
animation.delegate = self;
[self.progressLayer addAnimation:animation forKey:CircleAnimationKey];
}
else
{
self.progressLayer.path = path.CGPath;
}
_progress = progress;
}
}
- (void)animationDidStop:(CAAnimation *)anim finished:(BOOL)flag
{
if (self.nextProgressToAnimate)
[self setProgress:[self.nextProgressToAnimate doubleValue] animated:YES];
}
- (void)setFailedMode:(BOOL)failedMode
{
_failedMode = failedMode;
self.progressLayer.strokeColor = (failedMode ? [UIColor redColor] : [UIColor linkBlue]).CGColor;
self.stopRectLayer.hidden = failedMode;
self.startTriangleView.hidden = !failedMode;
}
- (UIButton *)button
{
if (!_button)
{
_button = [[UIButton alloc] initWithFrame:self.bounds];
[_button addTarget:self action:@selector(buttonPressed:) forControlEvents:UIControlEventTouchUpInside];
}
return _button;
}
- (CAShapeLayer *)stopRectLayer
{
if (!_stopRectLayer)
{
_stopRectLayer = [CAShapeLayer layer];
CGFloat const side = 11;
CGRect const rect = CGRectMake((self.width - side) / 2, (self.width - side) / 2, side, side);
_stopRectLayer.fillColor = [UIColor linkBlue].CGColor;
_stopRectLayer.path = [UIBezierPath bezierPathWithRoundedRect:rect cornerRadius:2].CGPath;
}
return _stopRectLayer;
}
- (UIImageView *)startTriangleView
{
if (!_startTriangleView)
_startTriangleView = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"ProgressTriangle"]];
return _startTriangleView;
}
- (CAShapeLayer *)backgroundCircleLayer
{
if (!_backgroundCircleLayer)
{
_backgroundCircleLayer = [CAShapeLayer layer];
_backgroundCircleLayer.fillColor = [UIColor clearColor].CGColor;
_backgroundCircleLayer.lineWidth = 2;
_backgroundCircleLayer.strokeColor = [UIColor pressBackground].CGColor;
_backgroundCircleLayer.shouldRasterize = YES;
_backgroundCircleLayer.rasterizationScale = 2 * [UIScreen mainScreen].scale;
CGRect rect = CGRectMake(self.width / 2 - CIRCLE_RADIUS, self.height / 2 - CIRCLE_RADIUS, 2 * CIRCLE_RADIUS, 2 * CIRCLE_RADIUS);
rect = CGRectInset(rect, _backgroundCircleLayer.lineWidth, _backgroundCircleLayer.lineWidth);
_backgroundCircleLayer.path = [UIBezierPath bezierPathWithOvalInRect:rect].CGPath;
}
return _backgroundCircleLayer;
}
- (CAShapeLayer *)progressLayer
{
if (!_progressLayer)
{
_progressLayer = [CAShapeLayer layer];
_progressLayer.fillColor = [UIColor clearColor].CGColor;
_progressLayer.lineWidth = 3;
_progressLayer.shouldRasterize = YES;
_progressLayer.rasterizationScale = 2 * [UIScreen mainScreen].scale;
}
return _progressLayer;
}
@end

View file

@ -3,7 +3,7 @@
@implementation UIViewController (Navigation)
- (void)showBackButton
- (UIButton *)backButton
{
UIImage * backImage = [UIImage imageNamed:@"ic_nav_bar_back"];
CGFloat const imageSide = backImage.size.width;
@ -11,8 +11,12 @@
[button setImage:backImage forState:UIControlStateNormal];
[button addTarget:self action:@selector(backTap) forControlEvents:UIControlEventTouchUpInside];
button.imageEdgeInsets = UIEdgeInsetsMake(0., -32, 0., 0.);
UIBarButtonItem * leftItem = [[UIBarButtonItem alloc] initWithCustomView:button];
self.navigationItem.leftBarButtonItem = leftItem;
return button;
}
- (void)showBackButton
{
self.navigationItem.leftBarButtonItem = [[UIBarButtonItem alloc] initWithCustomView:[self backButton]];
}
- (void)backTap

View file

@ -1,9 +0,0 @@
#import <UIKit/UIKit.h>
#import "DownloaderParentVC.h"
@interface CountryTreeVC : DownloaderParentVC
- (id)initWithNodePosition:(int)position;
@end

View file

@ -1,381 +0,0 @@
#import "ActiveMapsVC.h"
#import "Common.h"
#import "CountryTreeVC.h"
#import "Statistics.h"
extern NSString * const MapsStatusChangedNotification;
@interface CountryTreeVC () <CountryTreeObserverProtocol>
@end
@implementation CountryTreeVC
{
CountryTree m_tree;
CountryTreeObserver * m_treeObserver;
}
- (id)initWithNodePosition:(int)position
{
self = [super init];
if (position == -1)
{
self.tree.SetDefaultRoot();
self.title = L(@"download_maps");
}
else
{
ASSERT(position < self.tree.GetChildCount(), ());
self.title = @(self.tree.GetChildName(position).c_str());
self.tree.SetChildAsRoot(position);
if (self.tree.IsDownloadAllAvailable())
{
self.navigationItem.rightBarButtonItem =
[[UIBarButtonItem alloc] initWithTitle:L(@"download_all")
style:UIBarButtonItemStylePlain
target:self
action:@selector(onDownloadAll)];
}
}
__weak CountryTreeVC * weakSelf = self;
m_treeObserver = new CountryTreeObserver(weakSelf);
self.tree.SetListener(m_treeObserver);
return self;
}
- (void)dealloc
{
[[NSNotificationCenter defaultCenter] removeObserver:self];
}
- (void)viewDidLoad
{
[super viewDidLoad];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(outOfDateCountriesCountChanged:) name:MapsStatusChangedNotification object:nil];
}
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
m_tree = CountryTree();
[self.tableView reloadData];
}
- (void)viewWillDisappear:(BOOL)animated
{
[super viewWillDisappear:animated];
if (self.isMovingFromParentViewController)
{
if (self.tree.HasParent())
self.tree.SetParentAsRoot();
else
self.tree.ResetListener();
}
}
- (void)onDownloadAll
{
[[Statistics instance] logEvent:kStatDownloadAll];
self.tree.DownloadAll();
}
#define TOP_ROWS_COUNT 1
- (NSIndexPath *)downloadedCountriesIndexPath
{
return [NSIndexPath indexPathForRow:0 inSection:0];
}
- (void)outOfDateCountriesCountChanged:(NSNotification *)notification
{
NSInteger const count = [[notification userInfo][@"OutOfDate"] integerValue];
if ([self activeMapsRowIsVisible])
{
MapCell * cell = (MapCell *)[self.tableView cellForRowAtIndexPath:[self downloadedCountriesIndexPath]];
cell.badgeView.value = count;
}
}
#pragma mark - Helpers
- (CountryTree &)tree
{
if (m_tree.IsValid())
return m_tree;
else
return GetFramework().GetCountryTree();
}
- (MapCell *)cellAtPositionInNode:(int)position
{
NSInteger const section = [self activeMapsRowIsVisible] ? [self downloadedCountriesIndexPath].section + 1 : 0;
return (MapCell *)[self.tableView cellForRowAtIndexPath:[NSIndexPath indexPathForRow:position inSection:section]];
}
- (BOOL)activeMapsRowIsVisible
{
return !self.tree.GetActiveMapLayout().IsEmpty() && !self.tree.HasParent();
}
- (BOOL)isActiveMapsIndexPath:(NSIndexPath *)indexPath
{
return [self activeMapsRowIsVisible] && [indexPath isEqual:[self downloadedCountriesIndexPath]];
}
- (void)configureSizeLabelOfMapCell:(MapCell *)cell position:(int)position status:(TStatus const &)status options:(MapOptions const &)options
{
if (self.tree.IsLeaf(position))
{
if (status == TStatus::ENotDownloaded)
{
LocalAndRemoteSizeT const size = self.tree.GetRemoteLeafSizes(position);
cell.sizeLabel.text = formattedSize(size.first);
}
else if (status == TStatus::EOnDisk || status == TStatus::EOnDiskOutOfDate)
cell.sizeLabel.text = formattedSize(self.tree.GetLeafSize(position, options).second);
else if (status == TStatus::EOutOfMemFailed || status == TStatus::EDownloadFailed || status == TStatus::EDownloading || status == TStatus::EInQueue)
cell.sizeLabel.text = formattedSize(self.tree.GetDownloadableLeafSize(position).second);
}
}
#pragma mark - DownloaderParentVC virtual methods implementation
- (NSString *)parentTitle
{
return self.tree.IsCountryRoot() ? @(self.tree.GetRootName().c_str()) : nil;
}
- (NSString *)selectedMapName
{
return @(self.tree.GetChildName(self.selectedPosition).c_str());
}
- (uint64_t)selectedMapSizeWithOptions:(MapOptions)options
{
return self.tree.GetLeafSize(self.selectedPosition, options).second;
}
- (TStatus)selectedMapStatus
{
return self.tree.GetLeafStatus(self.selectedPosition);
}
- (MapOptions)selectedMapOptions
{
return self.tree.GetLeafOptions(self.selectedPosition);
}
- (void)performAction:(DownloaderAction)action withSizeCheck:(BOOL)check
{
switch (action)
{
case DownloaderActionDownloadMap:
if (check == NO || [self canDownloadSelectedMap])
self.tree.DownloadCountry(self.selectedPosition, self.selectedInActionSheetOptions);
break;
case DownloaderActionDeleteMap:
self.tree.DeleteCountry(self.selectedPosition, self.selectedInActionSheetOptions);
break;
case DownloaderActionCancelDownloading:
self.tree.CancelDownloading(self.selectedPosition);
break;
case DownloaderActionZoomToCountry:
self.tree.ShowLeafOnMap(self.selectedPosition);
[[Statistics instance] logEvent:@"Show Map From Download Countries Screen"];
[self.navigationController popToRootViewControllerAnimated:YES];
break;
}
}
#pragma mark - TableView
- (CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section
{
return 13;
}
- (CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section
{
return 0.001;
}
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
return [self activeMapsRowIsVisible] ? 1 + TOP_ROWS_COUNT : 1;
}
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
if ([self activeMapsRowIsVisible] && section == [self downloadedCountriesIndexPath].section)
return TOP_ROWS_COUNT;
else
return self.tree.GetChildCount();
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
MapCell * cell = [tableView dequeueReusableCellWithIdentifier:[MapCell className]];
if (!cell)
cell = [[MapCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:[MapCell className]];
if ([self isActiveMapsIndexPath:indexPath])
{
cell.titleLabel.text = L(@"downloader_downloaded_maps");
cell.subtitleLabel.text = nil;
cell.parentMode = YES;
cell.badgeView.value = self.tree.GetActiveMapLayout().GetOutOfDateCount();
cell.separatorTop.hidden = NO;
cell.separatorBottom.hidden = NO;
cell.separator.hidden = YES;
}
else
{
int const position = static_cast<int>(indexPath.row);
bool const isLeaf = self.tree.IsLeaf(position);
NSInteger const numberOfRows = [self tableView:tableView numberOfRowsInSection:indexPath.section];
BOOL const isLast = (indexPath.row == numberOfRows - 1);
BOOL const isFirst = (indexPath.row == 0);
cell.titleLabel.text = @(self.tree.GetChildName(position).c_str());
cell.subtitleLabel.text = [self parentTitle];
cell.delegate = self;
cell.badgeView.value = 0;
cell.parentMode = !isLeaf;
cell.separatorTop.hidden = !isFirst;
cell.separatorBottom.hidden = !isLast;
cell.separator.hidden = isLast;
if (isLeaf)
{
MapOptions const options = self.tree.GetLeafOptions(position);
TStatus const status = self.tree.GetLeafStatus(position);
if (status == TStatus::EOutOfMemFailed || status == TStatus::EDownloadFailed || status == TStatus::EDownloading || status == TStatus::EInQueue)
{
LocalAndRemoteSizeT const size = self.tree.GetDownloadableLeafSize(position);
cell.downloadProgress = (double)size.first / size.second;
}
cell.status = status;
cell.options = options;
[self configureSizeLabelOfMapCell:cell position:position status:status options:options];
}
}
return cell;
}
- (BOOL)tableView:(UITableView *)tableView canEditRowAtIndexPath:(NSIndexPath *)indexPath
{
int const position = static_cast<int>(indexPath.row);
if (self.tree.IsLeaf(position))
{
TStatus const status = self.tree.GetLeafStatus(position);
return status == TStatus::EOnDisk || status == TStatus::EOnDiskOutOfDate;
}
return NO;
}
- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath
{
if (editingStyle == UITableViewCellEditingStyleDelete)
{
int const position = static_cast<int>(indexPath.row);
self.tree.DeleteCountry(position, self.tree.GetLeafOptions(position));
[tableView setEditing:NO animated:YES];
}
}
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
[tableView deselectRowAtIndexPath:indexPath animated:YES];
if ([self isActiveMapsIndexPath:indexPath])
{
ActiveMapsVC * vc = [[ActiveMapsVC alloc] init];
[self.navigationController pushViewController:vc animated:YES];
}
else
{
self.selectedPosition = static_cast<int>(indexPath.row);
if (self.tree.IsLeaf(self.selectedPosition))
{
switch ([self selectedMapStatus])
{
case TStatus::ENotDownloaded:
case TStatus::EDownloadFailed:
case TStatus::EOutOfMemFailed:
self.tree.DownloadCountry(self.selectedPosition, MapOptions::Map);
break;
case TStatus::EDownloading:
case TStatus::EInQueue:
self.tree.CancelDownloading(self.selectedPosition);
break;
default:
{
MapCell * cell = [self cellAtPositionInNode:self.selectedPosition];
UIActionSheet * actionSheet = [self actionSheetToPerformActionOnSelectedMap];
[actionSheet showFromRect:cell.frame inView:cell.superview animated:YES];
break;
}
}
}
else
{
m_tree = self.tree;
CountryTreeVC * vc = [[CountryTreeVC alloc] initWithNodePosition:self.selectedPosition];
[self.navigationController pushViewController:vc animated:YES];
}
}
}
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
return [MapCell cellHeight];
}
#pragma mark - MapCellDelegate
- (void)mapCellDidStartDownloading:(MapCell *)cell
{
self.selectedPosition = static_cast<int>([self.tableView indexPathForCell:cell].row);
TStatus const status = [self selectedMapStatus];
if (status == TStatus::EDownloadFailed || status == TStatus::EOutOfMemFailed)
if ([self canDownloadSelectedMap])
self.tree.RetryDownloading(self.selectedPosition);
}
- (void)mapCellDidCancelDownloading:(MapCell *)cell
{
self.selectedPosition = static_cast<int>([self.tableView indexPathForCell:cell].row);
[[self actionSheetToCancelDownloadingSelectedMap] showFromRect:cell.frame inView:cell.superview animated:YES];
}
#pragma mark - CountryTree core callbacks
- (void)countryStatusChangedAtPositionInNode:(int)position
{
if ([self activeMapsRowIsVisible])
{
[self.tableView reloadData];
}
else
{
MapCell * cell = [self cellAtPositionInNode:position];
TStatus const status = self.tree.GetLeafStatus(position);
MapOptions const options = self.tree.GetLeafOptions(position);
[self configureSizeLabelOfMapCell:cell position:position status:status options:options];
[cell setStatus:self.tree.GetLeafStatus(position) options:options animated:YES];
}
}
- (void)countryDownloadingProgressChanged:(LocalAndRemoteSizeT const &)progress atPositionInNode:(int)position
{
MapCell * cell = [self cellAtPositionInNode:position];
[cell setDownloadProgress:((double)progress.first / progress.second) animated:YES];
}
@end

View file

@ -1,40 +0,0 @@
#import "MapsObservers.h"
#import "MapCell.h"
#import "MWMViewController.h"
#include "storage/storage_defines.hpp"
#include "platform/preferred_languages.hpp"
typedef NS_ENUM(NSUInteger, DownloaderAction)
{
DownloaderActionDownloadMap,
DownloaderActionDeleteMap,
DownloaderActionCancelDownloading,
DownloaderActionZoomToCountry
};
using namespace storage;
@interface DownloaderParentVC : MWMViewController <MapCellDelegate, UIActionSheetDelegate, UIAlertViewDelegate, UITableViewDataSource, UITableViewDelegate>
- (BOOL)canDownloadSelectedMap;
- (UIActionSheet *)actionSheetToCancelDownloadingSelectedMap;
- (UIActionSheet *)actionSheetToPerformActionOnSelectedMap;
@property (nonatomic) UITableView * tableView;
// CountryTree methods accept int. It should be enough to store all countries.
@property (nonatomic) int selectedPosition;
@property (nonatomic) MapOptions selectedInActionSheetOptions;
@property (nonatomic) NSMutableDictionary * actionSheetActions;
// virtual
- (NSString *)parentTitle;
- (NSString *)selectedMapName;
- (uint64_t)selectedMapSizeWithOptions:(MapOptions)options;
- (TStatus)selectedMapStatus;
- (MapOptions)selectedMapOptions;
- (void)performAction:(DownloaderAction)action withSizeCheck:(BOOL)check;
@end

View file

@ -1,162 +0,0 @@
#import "Common.h"
#import "DownloaderParentVC.h"
#import "DiskFreeSpace.h"
#import "MWMAlertViewController.h"
#import "UIColor+MapsMeColor.h"
#include "platform/platform.hpp"
@implementation DownloaderParentVC
- (void)viewDidLoad
{
[super viewDidLoad];
[self.view addSubview:self.tableView];
self.tableView.backgroundColor = [UIColor pressBackground];
self.tableView.separatorColor = [UIColor blackDividers];
}
- (UITableView *)tableView
{
if (!_tableView) {
_tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStyleGrouped];
_tableView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
_tableView.delegate = self;
_tableView.dataSource = self;
_tableView.separatorStyle = UITableViewCellSeparatorStyleNone;
}
return _tableView;
}
- (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex
{
if (buttonIndex != alertView.cancelButtonIndex)
[self download];
}
- (void)download
{
if (self.selectedInActionSheetOptions == MapOptions::MapWithCarRouting)
[self performAction:DownloaderActionDownloadMap withSizeCheck:NO];
}
#pragma mark - Virtual methods
- (void)performAction:(DownloaderAction)action withSizeCheck:(BOOL)check {}
- (NSString *)parentTitle { return nil; }
- (NSString *)selectedMapName { return nil; }
- (uint64_t)selectedMapSizeWithOptions:(MapOptions)options { return 0; }
- (TStatus)selectedMapStatus { return TStatus::EUnknown; }
- (MapOptions)selectedMapOptions { return MapOptions::Map; }
#pragma mark - Virtual table view methods
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section { return 0; }
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath { return nil; }
#pragma mark - Public methods for successors
- (BOOL)canDownloadSelectedMap
{
uint64_t const size = [self selectedMapSizeWithOptions:self.selectedInActionSheetOptions];
NSString * name = [self selectedMapName];
Platform::EConnectionType const connection = Platform::ConnectionStatus();
MWMAlertViewController * alert = [[MWMAlertViewController alloc] initWithViewController:self];
if (connection != Platform::EConnectionType::CONNECTION_NONE)
{
if (connection == Platform::EConnectionType::CONNECTION_WWAN && size > 50 * MB)
[alert presentNoWiFiAlertWithName:name downloadBlock:^{[self download];}];
else
return YES;
}
else
{
[alert presentNoConnectionAlert];
}
return NO;
}
- (UIActionSheet *)actionSheetToPerformActionOnSelectedMap
{
[self.actionSheetActions removeAllObjects];
UIActionSheet * actionSheet = [[UIActionSheet alloc] initWithTitle:self.actionSheetTitle delegate:self cancelButtonTitle:nil destructiveButtonTitle:nil otherButtonTitles:nil];
NSString * fullSize = formattedSize([self selectedMapSizeWithOptions:MapOptions::MapWithCarRouting]);
switch ([self selectedMapStatus])
{
case TStatus::EOnDisk:
[self addButtonWithTitle:L(@"zoom_to_country") action:DownloaderActionZoomToCountry toActionSheet:actionSheet];
[self addButtonWithTitle:L(@"downloader_delete_map") action:DownloaderActionDeleteMap toActionSheet:actionSheet];
actionSheet.destructiveButtonIndex = actionSheet.numberOfButtons - 1;
break;
case TStatus::EOnDiskOutOfDate:
[self addButtonWithTitle:L(@"zoom_to_country") action:DownloaderActionZoomToCountry toActionSheet:actionSheet];
[self addButtonWithTitle:[NSString stringWithFormat:@"%@, %@", L(@"downloader_update_map"), fullSize] action:DownloaderActionDownloadMap toActionSheet:actionSheet];
[self addButtonWithTitle:L(@"downloader_delete_map") action:DownloaderActionDeleteMap toActionSheet:actionSheet];
actionSheet.destructiveButtonIndex = actionSheet.numberOfButtons - 1;
break;
case TStatus::EUnknown:
NSAssert(NO, @"Invalid status");
break;
default:
break;
}
if (!IPAD)
{
[actionSheet addButtonWithTitle:L(@"cancel")];
actionSheet.cancelButtonIndex = actionSheet.numberOfButtons - 1;
}
return actionSheet;
}
- (UIActionSheet *)actionSheetToCancelDownloadingSelectedMap
{
[self.actionSheetActions removeAllObjects];
self.actionSheetActions[@0] = @(DownloaderActionCancelDownloading);
return [[UIActionSheet alloc] initWithTitle:[self actionSheetTitle] delegate:self cancelButtonTitle:L(@"cancel") destructiveButtonTitle:L(@"cancel_download") otherButtonTitles:nil];
}
#pragma mark -
- (NSString *)actionSheetTitle
{
if ([self parentTitle])
return [NSString stringWithFormat:@"%@, %@", [self selectedMapName].uppercaseString, [self parentTitle].uppercaseString];
else
return [self selectedMapName].uppercaseString;
}
- (void)addButtonWithTitle:(NSString *)title action:(DownloaderAction)action toActionSheet:(UIActionSheet *)actionSheet
{
[actionSheet addButtonWithTitle:title];
self.actionSheetActions[@(actionSheet.numberOfButtons - 1)] = @(action);
}
- (void)actionSheet:(UIActionSheet *)actionSheet clickedButtonAtIndex:(NSInteger)buttonIndex
{
if (buttonIndex != actionSheet.cancelButtonIndex)
{
DownloaderAction const action = (DownloaderAction)[self.actionSheetActions[@(buttonIndex)] integerValue];
self.selectedInActionSheetOptions = MapOptions::MapWithCarRouting;
[self performAction:action withSizeCheck:YES];
}
}
#pragma mark -
- (NSMutableDictionary *)actionSheetActions
{
if (!_actionSheetActions)
_actionSheetActions = [[NSMutableDictionary alloc] init];
return _actionSheetActions;
}
- (void)dealloc
{
[[NSNotificationCenter defaultCenter] removeObserver:self];
}
@end

View file

@ -1,23 +0,0 @@
{
"images" : [
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_down.png",
"scale" : "1x"
},
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_down@2x.png",
"scale" : "2x"
},
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_down@3x.png",
"scale" : "3x"
}
],
"info" : {
"version" : 1,
"author" : "xcode"
}
}

Binary file not shown.

Before

Width:  |  Height:  |  Size: 107 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 132 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 173 B

View file

@ -1,26 +0,0 @@
{
"images" : [
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_up.png",
"scale" : "1x"
},
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_up@2x.png",
"scale" : "2x"
},
{
"idiom" : "universal",
"filename" : "ic_arrow_gray_up@3x.png",
"scale" : "3x"
}
],
"info" : {
"version" : 1,
"author" : "xcode"
},
"properties" : {
"template-rendering-intent" : "template"
}
}

Binary file not shown.

Before

Width:  |  Height:  |  Size: 102 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 134 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 161 B

File diff suppressed because it is too large Load diff

View file

@ -75,7 +75,7 @@ static int gStorageSubscriptionId = kNotSubscribed;
{
if (gStorageSubscriptionId == kNotSubscribed)
{
gStorageSubscriptionId = GetFramework().Storage().Subscribe([](storage::TIndex const &)
gStorageSubscriptionId = GetFramework().Storage().Subscribe([](storage::TCountryId const &)
{
if (GetFramework().Storage().GetDownloadedFilesCount() >= 2)
{
@ -89,7 +89,7 @@ static int gStorageSubscriptionId = kNotSubscribed;
});
[Alohalytics logEvent:kDownloadedSecondMapEvent];
}
}, [](storage::TIndex const &, storage::LocalAndRemoteSizeT const &){});
}, [](storage::TCountryId const &, storage::LocalAndRemoteSizeT const &){});
}
}
}

View file

@ -1,141 +1,208 @@
#import "Common.h"
#import "UIFont+MapsMeFonts.h"
static NSString * const kRegularFont = @"HelveticaNeue";
static NSString * const kMediumFont = @"HelveticaNeue-Medium";
static NSString * const kLightFont = @"HelveticaNeue-Light";
static NSString * const kBoldFont = @"HelveticaNeue-Bold";
#include "std/map.hpp"
typedef NS_ENUM(NSUInteger, FontWeight)
{
FontWeightRegular,
FontWeightMedium,
FontWeightLight,
FontWeightBold
};
NSString * fontName(FontWeight weight, CGFloat size)
{
if (!isIOSVersionLessThan(9))
{
if (size < 20)
{
switch (weight)
{
case FontWeightRegular: return @".SFUIText-Regular";
case FontWeightMedium: return @".SFUIText-Medium";
case FontWeightLight: return @".SFUIText-Light";
case FontWeightBold: return @".SFUIText-Bold";
}
}
else
{
switch (weight)
{
case FontWeightRegular: return @".SFUIDisplay-Regular";
case FontWeightMedium: return @".SFUIDisplay-Medium";
case FontWeightLight: return @".SFUIDisplay-Light";
case FontWeightBold: return @".SFUIDisplay-Bold";
}
}
}
switch (weight)
{
case FontWeightRegular: return @"HelveticaNeue";
case FontWeightMedium: return @"HelveticaNeue-Medium";
case FontWeightLight: return @"HelveticaNeue-Light";
case FontWeightBold: return @"HelveticaNeue-Bold";
}
}
@implementation UIFont (MapsMeFonts)
+ (UIFont *)regular10
{
return [UIFont fontWithName:kRegularFont size:10];
CGFloat const size = 10;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular12
{
return [UIFont fontWithName:kRegularFont size:12];
CGFloat const size = 12;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular14
{
return [UIFont fontWithName:kRegularFont size:14];
CGFloat const size = 14;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular15
{
return [UIFont fontWithName:kRegularFont size:15];
CGFloat const size = 15;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular16
{
return [UIFont fontWithName:kRegularFont size:16];
CGFloat const size = 16;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular17
{
return [UIFont fontWithName:kRegularFont size:17];
CGFloat const size = 17;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular18
{
return [UIFont fontWithName:kRegularFont size:18];
CGFloat const size = 18;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular24
{
return [UIFont fontWithName:kRegularFont size:24];
CGFloat const size = 24;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular32
{
return [UIFont fontWithName:kRegularFont size:32];
CGFloat const size = 32;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)regular52
{
return [UIFont fontWithName:kRegularFont size:52];
CGFloat const size = 52;
return [UIFont fontWithName:fontName(FontWeightRegular, size) size:size];
}
+ (UIFont *)medium10
{
return [UIFont fontWithName:kMediumFont size:10];
CGFloat const size = 10;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium14
{
return [UIFont fontWithName:kMediumFont size:14];
CGFloat const size = 14;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium16
{
return [UIFont fontWithName:kMediumFont size:16];
CGFloat const size = 16;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium17
{
return [UIFont fontWithName:kMediumFont size:17];
CGFloat const size = 17;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium18
{
return [UIFont fontWithName:kMediumFont size:18];
CGFloat const size = 18;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium20
{
return [UIFont fontWithName:kMediumFont size:20];
CGFloat const size = 20;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium24
{
return [UIFont fontWithName:kMediumFont size:24];
CGFloat const size = 24;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium36
{
return [UIFont fontWithName:kMediumFont size:36];
CGFloat const size = 36;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium40
{
return [UIFont fontWithName:kMediumFont size:40.];
CGFloat const size = 40;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)medium44
{
return [UIFont fontWithName:kMediumFont size:44.];
CGFloat const size = 44;
return [UIFont fontWithName:fontName(FontWeightMedium, size) size:size];
}
+ (UIFont *)light10
{
return [UIFont fontWithName:kLightFont size:10];
CGFloat const size = 10;
return [UIFont fontWithName:fontName(FontWeightLight, size) size:size];
}
+ (UIFont *)light12
{
return [UIFont fontWithName:kLightFont size:12];
CGFloat const size = 12;
return [UIFont fontWithName:fontName(FontWeightLight, size) size:size];
}
+ (UIFont *)light16
{
return [UIFont fontWithName:kLightFont size:16];
CGFloat const size = 16;
return [UIFont fontWithName:fontName(FontWeightLight, size) size:size];
}
+ (UIFont *)light17
{
return [UIFont fontWithName:kLightFont size:17];
CGFloat const size = 17;
return [UIFont fontWithName:fontName(FontWeightLight, size) size:size];
}
+ (UIFont *)bold16
{
return [UIFont fontWithName:kBoldFont size:16];
CGFloat const size = 16;
return [UIFont fontWithName:fontName(FontWeightBold, size) size:size];
}
+ (UIFont *)bold17
{
return [UIFont fontWithName:kBoldFont size:17];
CGFloat const size = 17;
return [UIFont fontWithName:fontName(FontWeightBold, size) size:size];
}
+ (UIFont *)bold48
{
return [UIFont fontWithName:kBoldFont size:48];
CGFloat const size = 48;
return [UIFont fontWithName:fontName(FontWeightBold, size) size:size];
}
+ (UIFont *)fontWithName:(NSString *)fontName

View file

@ -1,56 +0,0 @@
#include "storage/countries.hpp"
#include "storage/simple_tree.hpp"
#include "base/string_utils.hpp"
#include "geometry/cellid.hpp"
#include "std/iostream.hpp"
typedef m2::CellId<9> CountryCellId;
namespace mapinfo
{
void CountryTreeNode::AddCellId(string const & cellId)
{
CountryCellId id = CountryCellId::FromString(cellId);
m_ids.push_back(static_cast<uint16_t>(id.ToBitsAndLevel().first));
ASSERT_EQUAL(CountryCellId::FromBitsAndLevel(m_ids.back(), 8).ToString(), cellId, ());
}
bool LoadCountries(SimpleTree<CountryTreeNode> & tree, std::istream & stream)
{
std::string line;
CountryTreeNode * value = &tree.Value();
while (stream.good())
{
std::getline(stream, line);
if (line.empty())
continue;
// calculate spaces - depth inside the tree
int spaces = 0;
for (size_t i = 0; i < line.size(); ++i)
{
if (line[i] == ' ')
++spaces;
else
break;
}
switch (spaces)
{
case 0: // this is value for current node
value->AddCellId(line);;
break;
case 1: // country group
case 2: // country name
case 3: // region
value = &tree.AddAtDepth(spaces - 1, CountryTreeNode(line.substr(spaces)));
break;
default:
return false;
}
}
return true;
}
}

View file

@ -1,34 +0,0 @@
#pragma once
#include "base/base.hpp"
#include "std/string.hpp"
#include "std/vector.hpp"
template <class T> class SimpleTree;
namespace mapinfo
{
/// used in SimpleTree when loading countries.txt
class CountryTreeNode
{
/// group, country or region
string m_name;
/// cell ids for the country
vector<uint16_t> m_ids;
public:
CountryTreeNode(string const & name = string()) : m_name(name) {}
bool operator<(CountryTreeNode const & other) const
{
return m_name < other.m_name;
}
string const & Name() const { return m_name; }
void AddCellId(string const & cellId);
};
/// loads tree from given stream
bool LoadCountries(SimpleTree<CountryTreeNode> & tree, std::istream & stream);
}

View file

@ -13,4 +13,9 @@ bool IsPointCoveredByDownloadedMaps(m2::PointD const & position,
return storage.IsNodeDownloaded(countryInfoGetter.GetRegionCountryId(position));
}
bool IsDownloadFailed(TStatus status)
{
return status == TStatus::EDownloadFailed || status == TStatus::EOutOfMemFailed ||
status == TStatus::EUnknown;
}
} // namespace storage

View file

@ -2,6 +2,8 @@
#include "geometry/point2d.hpp"
#include "storage_defines.hpp"
namespace storage
{
class CountryInfoGetter;
@ -14,4 +16,5 @@ bool IsPointCoveredByDownloadedMaps(m2::PointD const & position,
Storage const & storage,
CountryInfoGetter const & countryInfoGetter);
bool IsDownloadFailed(TStatus status);
} // namespace storage

View file

@ -815,7 +815,7 @@ UNIT_TEST(StorageTest_DeleteCountry)
TEST(Platform::IsFileExistsByFullPath(bitsPath), (bitsPath));
storage.DeleteCustomCountryVersion(file);
TEST(!map.Exists(), ())
TEST(!map.Exists(), ());
TEST(!Platform::IsFileExistsByFullPath(bitsPath), (bitsPath));
map.Reset();

Some files were not shown because too many files have changed in this diff Show more