code
stringlengths
8
3.25M
repository
stringlengths
15
175
metadata
stringlengths
66
249
import 'package:equatable/equatable.dart'; import 'package:json_annotation/json_annotation.dart'; import 'package:news_blocks/news_blocks.dart'; part 'relevant_search_response.g.dart'; /// {@template relevant_search_response} /// A search response object which contains relevant news content. /// {@endtemplate} @JsonSerializable() class RelevantSearchResponse extends Equatable { /// {@macro relevant_search_response} const RelevantSearchResponse({required this.articles, required this.topics}); /// Converts a `Map<String, dynamic>` into a /// [RelevantSearchResponse] instance. factory RelevantSearchResponse.fromJson(Map<String, dynamic> json) => _$RelevantSearchResponseFromJson(json); /// The article content blocks. @NewsBlocksConverter() final List<NewsBlock> articles; /// The associated relevant topics. final List<String> topics; /// Converts the current instance to a `Map<String, dynamic>`. Map<String, dynamic> toJson() => _$RelevantSearchResponseToJson(this); @override List<Object> get props => [articles, topics]; }
news_toolkit/flutter_news_example/api/lib/src/models/relevant_search_response/relevant_search_response.dart/0
{'file_path': 'news_toolkit/flutter_news_example/api/lib/src/models/relevant_search_response/relevant_search_response.dart', 'repo_id': 'news_toolkit', 'token_count': 317}
/// The supported news category types. enum Category { /// News relating to business. business, /// News relating to entertainment. entertainment, /// Breaking news. top, /// News relating to health. health, /// News relating to science. science, /// News relating to sports. sports, /// News relating to technology. technology; /// Returns a [Category] for the [categoryName]. static Category fromString(String categoryName) => Category.values.firstWhere((category) => category.name == categoryName); }
news_toolkit/flutter_news_example/api/packages/news_blocks/lib/src/category.dart/0
{'file_path': 'news_toolkit/flutter_news_example/api/packages/news_blocks/lib/src/category.dart', 'repo_id': 'news_toolkit', 'token_count': 145}
import 'package:news_blocks/news_blocks.dart'; import 'package:test/test.dart'; void main() { group('PostLargeBlock', () { test('can be (de)serialized', () { final block = PostLargeBlock( id: 'id', category: PostCategory.technology, author: 'author', publishedAt: DateTime(2022, 3, 9), imageUrl: 'imageUrl', title: 'title', ); expect(PostLargeBlock.fromJson(block.toJson()), equals(block)); }); }); }
news_toolkit/flutter_news_example/api/packages/news_blocks/test/src/post_large_block_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/api/packages/news_blocks/test/src/post_large_block_test.dart', 'repo_id': 'news_toolkit', 'token_count': 207}
import 'dart:io'; import 'package:dart_frog/dart_frog.dart'; import 'package:flutter_news_example_api/api.dart'; import 'package:mocktail/mocktail.dart'; import 'package:test/test.dart'; import '../../../routes/api/v1/categories/index.dart' as route; class _MockNewsDataSource extends Mock implements NewsDataSource {} class _MockRequestContext extends Mock implements RequestContext {} void main() { group('GET /api/v1/categories', () { late NewsDataSource newsDataSource; setUp(() { newsDataSource = _MockNewsDataSource(); }); test('responds with a 200 and categories.', () async { const categories = [Category.sports, Category.entertainment]; when( () => newsDataSource.getCategories(), ).thenAnswer((_) async => categories); const expected = CategoriesResponse(categories: categories); final request = Request('GET', Uri.parse('http://127.0.0.1/')); final context = _MockRequestContext(); when(() => context.request).thenReturn(request); when(() => context.read<NewsDataSource>()).thenReturn(newsDataSource); final response = await route.onRequest(context); expect(response.statusCode, equals(HttpStatus.ok)); expect(await response.json(), equals(expected.toJson())); }); }); test('responds with 405 when method is not GET.', () async { final request = Request('POST', Uri.parse('http://127.0.0.1/')); final context = _MockRequestContext(); when(() => context.request).thenReturn(request); final response = await route.onRequest(context); expect(response.statusCode, equals(HttpStatus.methodNotAllowed)); }); }
news_toolkit/flutter_news_example/api/test/routes/categories/index_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/api/test/routes/categories/index_test.dart', 'repo_id': 'news_toolkit', 'token_count': 567}
import 'package:ads_consent_client/ads_consent_client.dart'; import 'package:analytics_repository/analytics_repository.dart'; import 'package:app_ui/app_ui.dart'; import 'package:article_repository/article_repository.dart'; import 'package:flow_builder/flow_builder.dart'; import 'package:flutter/material.dart'; import 'package:flutter_bloc/flutter_bloc.dart'; import 'package:flutter_news_example/ads/ads.dart'; import 'package:flutter_news_example/analytics/analytics.dart'; import 'package:flutter_news_example/app/app.dart'; import 'package:flutter_news_example/l10n/l10n.dart'; import 'package:flutter_news_example/login/login.dart' hide LoginEvent; import 'package:flutter_news_example/theme_selector/theme_selector.dart'; import 'package:google_mobile_ads/google_mobile_ads.dart' as ads; import 'package:in_app_purchase_repository/in_app_purchase_repository.dart'; import 'package:news_blocks_ui/news_blocks_ui.dart'; import 'package:news_repository/news_repository.dart'; import 'package:notifications_repository/notifications_repository.dart'; import 'package:platform/platform.dart'; import 'package:user_repository/user_repository.dart'; class App extends StatelessWidget { const App({ required UserRepository userRepository, required NewsRepository newsRepository, required NotificationsRepository notificationsRepository, required ArticleRepository articleRepository, required InAppPurchaseRepository inAppPurchaseRepository, required AnalyticsRepository analyticsRepository, required AdsConsentClient adsConsentClient, required User user, super.key, }) : _userRepository = userRepository, _newsRepository = newsRepository, _notificationsRepository = notificationsRepository, _articleRepository = articleRepository, _inAppPurchaseRepository = inAppPurchaseRepository, _analyticsRepository = analyticsRepository, _adsConsentClient = adsConsentClient, _user = user; final UserRepository _userRepository; final NewsRepository _newsRepository; final NotificationsRepository _notificationsRepository; final ArticleRepository _articleRepository; final InAppPurchaseRepository _inAppPurchaseRepository; final AnalyticsRepository _analyticsRepository; final AdsConsentClient _adsConsentClient; final User _user; @override Widget build(BuildContext context) { return MultiRepositoryProvider( providers: [ RepositoryProvider.value(value: _userRepository), RepositoryProvider.value(value: _newsRepository), RepositoryProvider.value(value: _notificationsRepository), RepositoryProvider.value(value: _articleRepository), RepositoryProvider.value(value: _analyticsRepository), RepositoryProvider.value(value: _inAppPurchaseRepository), RepositoryProvider.value(value: _adsConsentClient), ], child: MultiBlocProvider( providers: [ BlocProvider( create: (_) => AppBloc( userRepository: _userRepository, notificationsRepository: _notificationsRepository, user: _user, )..add(const AppOpened()), ), BlocProvider(create: (_) => ThemeModeBloc()), BlocProvider( create: (_) => LoginWithEmailLinkBloc( userRepository: _userRepository, ), lazy: false, ), BlocProvider( create: (context) => AnalyticsBloc( analyticsRepository: _analyticsRepository, userRepository: _userRepository, ), lazy: false, ), BlocProvider( create: (context) => FullScreenAdsBloc( interstitialAdLoader: ads.InterstitialAd.load, rewardedAdLoader: ads.RewardedAd.load, adsRetryPolicy: const AdsRetryPolicy(), localPlatform: const LocalPlatform(), ) ..add(const LoadInterstitialAdRequested()) ..add(const LoadRewardedAdRequested()), lazy: false, ), ], child: const AppView(), ), ); } } class AppView extends StatelessWidget { const AppView({super.key}); @override Widget build(BuildContext context) { return MaterialApp( themeMode: ThemeMode.light, theme: const AppTheme().themeData, darkTheme: const AppDarkTheme().themeData, localizationsDelegates: AppLocalizations.localizationsDelegates, supportedLocales: AppLocalizations.supportedLocales, home: AuthenticatedUserListener( child: FlowBuilder<AppStatus>( state: context.select((AppBloc bloc) => bloc.state.status), onGeneratePages: onGenerateAppViewPages, ), ), ); } }
news_toolkit/flutter_news_example/lib/app/view/app.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/app/view/app.dart', 'repo_id': 'news_toolkit', 'token_count': 1858}
export 'article_comments.dart'; export 'article_content.dart'; export 'article_content_item.dart'; export 'article_content_loader_item.dart'; export 'article_theme_override.dart'; export 'article_trailing_content.dart';
news_toolkit/flutter_news_example/lib/article/widgets/widgets.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/article/widgets/widgets.dart', 'repo_id': 'news_toolkit', 'token_count': 72}
import 'package:flutter/material.dart' hide Spacer; import 'package:flutter_bloc/flutter_bloc.dart'; import 'package:flutter_news_example/app/app.dart'; import 'package:flutter_news_example/article/article.dart'; import 'package:flutter_news_example/categories/categories.dart'; import 'package:flutter_news_example/l10n/l10n.dart'; import 'package:flutter_news_example/newsletter/newsletter.dart'; import 'package:news_blocks/news_blocks.dart'; import 'package:news_blocks_ui/news_blocks_ui.dart'; class CategoryFeedItem extends StatelessWidget { const CategoryFeedItem({required this.block, super.key}); /// The associated [NewsBlock] instance. final NewsBlock block; @override Widget build(BuildContext context) { final newsBlock = block; final isUserSubscribed = context.select((AppBloc bloc) => bloc.state.isUserSubscribed); late Widget widget; if (newsBlock is DividerHorizontalBlock) { widget = DividerHorizontal(block: newsBlock); } else if (newsBlock is SpacerBlock) { widget = Spacer(block: newsBlock); } else if (newsBlock is SectionHeaderBlock) { widget = SectionHeader( block: newsBlock, onPressed: (action) => _onFeedItemAction(context, action), ); } else if (newsBlock is PostLargeBlock) { widget = PostLarge( block: newsBlock, premiumText: context.l10n.newsBlockPremiumText, isLocked: newsBlock.isPremium && !isUserSubscribed, onPressed: (action) => _onFeedItemAction(context, action), ); } else if (newsBlock is PostMediumBlock) { widget = PostMedium( block: newsBlock, onPressed: (action) => _onFeedItemAction(context, action), ); } else if (newsBlock is PostSmallBlock) { widget = PostSmall( block: newsBlock, onPressed: (action) => _onFeedItemAction(context, action), ); } else if (newsBlock is PostGridGroupBlock) { widget = PostGrid( gridGroupBlock: newsBlock, premiumText: context.l10n.newsBlockPremiumText, onPressed: (action) => _onFeedItemAction(context, action), ); } else if (newsBlock is NewsletterBlock) { widget = const Newsletter(); } else if (newsBlock is BannerAdBlock) { widget = BannerAd( block: newsBlock, adFailedToLoadTitle: context.l10n.adLoadFailure, ); } else { // Render an empty widget for the unsupported block type. widget = const SizedBox(); } return (newsBlock is! PostGridGroupBlock) ? SliverToBoxAdapter(child: widget) : widget; } /// Handles actions triggered by tapping on feed items. Future<void> _onFeedItemAction( BuildContext context, BlockAction action, ) async { if (action is NavigateToArticleAction) { await Navigator.of(context).push<void>( ArticlePage.route(id: action.articleId), ); } else if (action is NavigateToVideoArticleAction) { await Navigator.of(context).push<void>( ArticlePage.route(id: action.articleId, isVideoArticle: true), ); } else if (action is NavigateToFeedCategoryAction) { context .read<CategoriesBloc>() .add(CategorySelected(category: action.category)); } } }
news_toolkit/flutter_news_example/lib/feed/widgets/category_feed_item.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/feed/widgets/category_feed_item.dart', 'repo_id': 'news_toolkit', 'token_count': 1235}
part of 'login_with_email_link_bloc.dart'; enum LoginWithEmailLinkStatus { initial, loading, success, failure, } class LoginWithEmailLinkState extends Equatable { const LoginWithEmailLinkState({ this.status = LoginWithEmailLinkStatus.initial, }); final LoginWithEmailLinkStatus status; @override List<Object> get props => [status]; LoginWithEmailLinkState copyWith({ LoginWithEmailLinkStatus? status, }) { return LoginWithEmailLinkState( status: status ?? this.status, ); } }
news_toolkit/flutter_news_example/lib/login/bloc/login_with_email_link_state.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/login/bloc/login_with_email_link_state.dart', 'repo_id': 'news_toolkit', 'token_count': 173}
part of 'notification_preferences_bloc.dart'; abstract class NotificationPreferencesEvent extends Equatable { const NotificationPreferencesEvent(); } class CategoriesPreferenceToggled extends NotificationPreferencesEvent { const CategoriesPreferenceToggled({required this.category}); final Category category; @override List<Object?> get props => [category]; } class InitialCategoriesPreferencesRequested extends NotificationPreferencesEvent { @override List<Object?> get props => []; }
news_toolkit/flutter_news_example/lib/notification_preferences/bloc/notification_preferences_event.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/notification_preferences/bloc/notification_preferences_event.dart', 'repo_id': 'news_toolkit', 'token_count': 134}
import 'dart:async'; import 'package:equatable/equatable.dart'; import 'package:flutter_bloc/flutter_bloc.dart'; import 'package:news_blocks/news_blocks.dart'; import 'package:news_repository/news_repository.dart'; import 'package:stream_transform/stream_transform.dart'; part 'search_event.dart'; part 'search_state.dart'; const _duration = Duration(milliseconds: 300); EventTransformer<Event> restartableDebounce<Event>( Duration duration, { required bool Function(Event) isDebounced, }) { return (events, mapper) { final debouncedEvents = events.where(isDebounced).debounce(duration); final otherEvents = events.where((event) => !isDebounced(event)); return otherEvents.merge(debouncedEvents).switchMap(mapper); }; } class SearchBloc extends Bloc<SearchEvent, SearchState> { SearchBloc({ required NewsRepository newsRepository, }) : _newsRepository = newsRepository, super(const SearchState.initial()) { on<SearchTermChanged>( (event, emit) async { event.searchTerm.isEmpty ? await _onEmptySearchRequested(event, emit) : await _onSearchTermChanged(event, emit); }, transformer: restartableDebounce( _duration, isDebounced: (event) => event.searchTerm.isNotEmpty, ), ); } final NewsRepository _newsRepository; FutureOr<void> _onEmptySearchRequested( SearchTermChanged event, Emitter<SearchState> emit, ) async { emit( state.copyWith( status: SearchStatus.loading, searchType: SearchType.popular, ), ); try { final popularSearch = await _newsRepository.popularSearch(); emit( state.copyWith( articles: popularSearch.articles, topics: popularSearch.topics, status: SearchStatus.populated, ), ); } catch (error, stackTrace) { emit(state.copyWith(status: SearchStatus.failure)); addError(error, stackTrace); } } FutureOr<void> _onSearchTermChanged( SearchTermChanged event, Emitter<SearchState> emit, ) async { emit( state.copyWith( status: SearchStatus.loading, searchType: SearchType.relevant, ), ); try { final relevantSearch = await _newsRepository.relevantSearch( term: event.searchTerm, ); emit( state.copyWith( articles: relevantSearch.articles, topics: relevantSearch.topics, status: SearchStatus.populated, ), ); } catch (error, stackTrace) { emit(state.copyWith(status: SearchStatus.failure)); addError(error, stackTrace); } } }
news_toolkit/flutter_news_example/lib/search/bloc/search_bloc.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/search/bloc/search_bloc.dart', 'repo_id': 'news_toolkit', 'token_count': 1051}
part of 'subscriptions_bloc.dart'; abstract class SubscriptionsEvent extends Equatable {} class SubscriptionsRequested extends SubscriptionsEvent { SubscriptionsRequested(); @override List<Object> get props => []; } class SubscriptionPurchaseRequested extends SubscriptionsEvent { SubscriptionPurchaseRequested({required this.subscription}); final Subscription subscription; @override List<Object> get props => [subscription]; } class SubscriptionPurchaseCompleted extends SubscriptionsEvent { SubscriptionPurchaseCompleted({required this.subscription}); final Subscription subscription; @override List<Object> get props => [subscription]; } class SubscriptionPurchaseUpdated extends SubscriptionsEvent { SubscriptionPurchaseUpdated({required this.purchase}); final PurchaseUpdate purchase; @override List<Object> get props => [purchase]; }
news_toolkit/flutter_news_example/lib/subscriptions/dialog/bloc/subscriptions_event.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/subscriptions/dialog/bloc/subscriptions_event.dart', 'repo_id': 'news_toolkit', 'token_count': 227}
import 'package:flutter/material.dart'; part '../terms_of_service_mock_text.dart'; @visibleForTesting class TermsOfServiceBody extends StatelessWidget { const TermsOfServiceBody({ super.key, this.contentPadding = EdgeInsets.zero, }); final EdgeInsets contentPadding; @override Widget build(BuildContext context) { return Flexible( child: SingleChildScrollView( child: Padding( padding: contentPadding, child: const Text( termsOfServiceMockText, key: Key('termsOfServiceBody_text'), ), ), ), ); } }
news_toolkit/flutter_news_example/lib/terms_of_service/widgets/terms_of_service_body.dart/0
{'file_path': 'news_toolkit/flutter_news_example/lib/terms_of_service/widgets/terms_of_service_body.dart', 'repo_id': 'news_toolkit', 'token_count': 254}
import 'package:app_ui/app_ui.dart'; import 'package:flutter/material.dart'; class ColorsPage extends StatelessWidget { const ColorsPage({super.key}); static Route<void> route() { return MaterialPageRoute<void>(builder: (_) => const ColorsPage()); } @override Widget build(BuildContext context) { const colorItems = [ _ColorItem(name: 'Secondary', color: AppColors.secondary), _ColorItem(name: 'Black', color: AppColors.black), _ColorItem(name: 'Black Light', color: AppColors.lightBlack), _ColorItem( name: 'Medium Emphasis', color: AppColors.mediumEmphasisSurface, ), _ColorItem(name: 'White', color: AppColors.white), _ColorItem(name: 'Modal Background', color: AppColors.modalBackground), _ColorItem(name: 'Transparent', color: AppColors.transparent), _ColorItem(name: 'Blue', color: AppColors.blue), _ColorItem(name: 'Sky Blue', color: AppColors.skyBlue), _ColorItem(name: 'Ocean Blue', color: AppColors.oceanBlue), _ColorItem(name: 'Light Blue', color: AppColors.lightBlue), _ColorItem(name: 'Blue Dress', color: AppColors.blueDress), _ColorItem(name: 'Crystal Blue', color: AppColors.crystalBlue), _ColorItem(name: 'Yellow', color: AppColors.yellow), _ColorItem(name: 'Red', color: AppColors.red), _ColorItem(name: 'Red Wine', color: AppColors.redWine), _ColorItem(name: 'Grey', color: AppColors.grey), _ColorItem(name: 'Liver', color: AppColors.liver), _ColorItem(name: 'Surface 2', color: AppColors.surface2), _ColorItem(name: 'Input Enabled', color: AppColors.inputEnabled), _ColorItem(name: 'Input Hover', color: AppColors.inputHover), _ColorItem(name: 'Input Focused', color: AppColors.inputFocused), _ColorItem(name: 'Pastel Grey', color: AppColors.pastelGrey), _ColorItem(name: 'Bright Grey', color: AppColors.brightGrey), _ColorItem(name: 'Pale Sky', color: AppColors.paleSky), _ColorItem(name: 'Green', color: AppColors.green), _ColorItem(name: 'Rangoon Green', color: AppColors.rangoonGreen), _ColorItem(name: 'Teal', color: AppColors.teal), _ColorItem(name: 'Dark Aqua', color: AppColors.darkAqua), _ColorItem(name: 'Eerie Black', color: AppColors.eerieBlack), _ColorItem(name: 'Gainsboro', color: AppColors.gainsboro), _ColorItem(name: 'Orange', color: AppColors.orange), _ColorItem(name: 'Outline Light', color: AppColors.outlineLight), _ColorItem(name: 'Outline On Dark', color: AppColors.outlineOnDark), _ColorItem( name: 'Medium Emphasis Primary', color: AppColors.mediumEmphasisPrimary, ), _ColorItem( name: 'High Emphasis Primary', color: AppColors.highEmphasisPrimary, ), _ColorItem( name: 'Medium High Emphasis Primary', color: AppColors.mediumHighEmphasisPrimary, ), _ColorItem( name: 'Medium High Emphasis Surface', color: AppColors.mediumHighEmphasisSurface, ), _ColorItem( name: 'High Emphasis Surface', color: AppColors.highEmphasisSurface, ), _ColorItem( name: 'Disabled Foreground', color: AppColors.disabledForeground, ), _ColorItem( name: 'Disabled Button', color: AppColors.disabledButton, ), _ColorItem( name: 'Disabled Surface', color: AppColors.disabledSurface, ), ]; return Scaffold( appBar: AppBar(title: const Text('Colors')), body: ListView.builder( scrollDirection: Axis.horizontal, itemCount: colorItems.length, itemBuilder: (_, index) => colorItems[index], ), ); } } class _ColorItem extends StatelessWidget { const _ColorItem({required this.name, required this.color}); final String name; final Color color; @override Widget build(BuildContext context) { return Padding( padding: const EdgeInsets.symmetric(horizontal: 8, vertical: 16), child: Column( mainAxisSize: MainAxisSize.min, children: <Widget>[ Text(name), const SizedBox(height: 16), Expanded( child: SingleChildScrollView( child: color is MaterialColor ? _MaterialColorView(color: color as MaterialColor) : _ColorSquare(color: color), ), ), ], ), ); } } class _MaterialColorView extends StatelessWidget { const _MaterialColorView({required this.color}); static const List<int> shades = [ 50, 100, 200, 300, 400, 500, 600, 700, 800, 900, ]; final MaterialColor color; @override Widget build(BuildContext context) { return Column( mainAxisSize: MainAxisSize.min, children: shades.map((shade) { return _ColorSquare(color: color[shade]!); }).toList(), ); } } class _ColorSquare extends StatelessWidget { const _ColorSquare({required this.color}); final Color color; TextStyle get textStyle { return TextStyle( color: color.computeLuminance() > 0.5 ? Colors.black : Colors.white, ); } String get hexCode { if (color.value.toRadixString(16).length <= 2) { return '--'; } else { return '#${color.value.toRadixString(16).substring(2).toUpperCase()}'; } } @override Widget build(BuildContext context) { return Padding( padding: const EdgeInsets.symmetric(vertical: 2), child: Stack( children: [ SizedBox( width: 100, height: 100, child: DecoratedBox( decoration: BoxDecoration(color: color, border: Border.all()), ), ), Positioned( top: 0, bottom: 0, left: 0, right: 0, child: Center(child: Text(hexCode, style: textStyle)), ), ], ), ); } }
news_toolkit/flutter_news_example/packages/app_ui/gallery/lib/colors/colors_page.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/app_ui/gallery/lib/colors/colors_page.dart', 'repo_id': 'news_toolkit', 'token_count': 2560}
import 'package:app_ui/src/typography/typography.dart'; import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; void main() { group('AppTextStyles', () { group('UITextStyle', () { test('display2 returns TextStyle', () { expect(UITextStyle.display2, isA<TextStyle>()); }); test('display3 returns TextStyle', () { expect(UITextStyle.display3, isA<TextStyle>()); }); test('headline1 returns TextStyle', () { expect(UITextStyle.headline1, isA<TextStyle>()); }); test('headline2 returns TextStyle', () { expect(UITextStyle.headline2, isA<TextStyle>()); }); test('headline3 returns TextStyle', () { expect(UITextStyle.headline3, isA<TextStyle>()); }); test('headline4 returns TextStyle', () { expect(UITextStyle.headline4, isA<TextStyle>()); }); test('headline5 returns TextStyle', () { expect(UITextStyle.headline5, isA<TextStyle>()); }); test('headline6 returns TextStyle', () { expect(UITextStyle.headline6, isA<TextStyle>()); }); test('subtitle1 returns TextStyle', () { expect(UITextStyle.subtitle1, isA<TextStyle>()); }); test('subtitle2 returns TextStyle', () { expect(UITextStyle.subtitle2, isA<TextStyle>()); }); test('bodyText1 returns TextStyle', () { expect(UITextStyle.bodyText1, isA<TextStyle>()); }); test('bodyText2 returns TextStyle', () { expect(UITextStyle.bodyText2, isA<TextStyle>()); }); test('button returns TextStyle', () { expect(UITextStyle.button, isA<TextStyle>()); }); test('caption returns TextStyle', () { expect(UITextStyle.caption, isA<TextStyle>()); }); test('overline returns TextStyle', () { expect(UITextStyle.overline, isA<TextStyle>()); }); test('labelSmall returns TextStyle', () { expect(UITextStyle.labelSmall, isA<TextStyle>()); }); }); group('ContentTextStyle', () { test('display1 returns TextStyle', () { expect(ContentTextStyle.display1, isA<TextStyle>()); }); test('display2 returns TextStyle', () { expect(ContentTextStyle.display2, isA<TextStyle>()); }); test('display3 returns TextStyle', () { expect(ContentTextStyle.display3, isA<TextStyle>()); }); test('headline1 returns TextStyle', () { expect(ContentTextStyle.headline1, isA<TextStyle>()); }); test('headline2 returns TextStyle', () { expect(ContentTextStyle.headline2, isA<TextStyle>()); }); test('headline3 returns TextStyle', () { expect(ContentTextStyle.headline3, isA<TextStyle>()); }); test('headline4 returns TextStyle', () { expect(ContentTextStyle.headline4, isA<TextStyle>()); }); test('headline5 returns TextStyle', () { expect(ContentTextStyle.headline5, isA<TextStyle>()); }); test('headline6 returns TextStyle', () { expect(ContentTextStyle.headline6, isA<TextStyle>()); }); test('subtitle1 returns TextStyle', () { expect(ContentTextStyle.subtitle1, isA<TextStyle>()); }); test('subtitle2 returns TextStyle', () { expect(ContentTextStyle.subtitle2, isA<TextStyle>()); }); test('bodyText1 returns TextStyle', () { expect(ContentTextStyle.bodyText1, isA<TextStyle>()); }); test('bodyText2 returns TextStyle', () { expect(ContentTextStyle.bodyText2, isA<TextStyle>()); }); test('button returns TextStyle', () { expect(ContentTextStyle.button, isA<TextStyle>()); }); test('caption returns TextStyle', () { expect(ContentTextStyle.caption, isA<TextStyle>()); }); test('overline returns TextStyle', () { expect(ContentTextStyle.overline, isA<TextStyle>()); }); test('labelSmall returns TextStyle', () { expect(ContentTextStyle.labelSmall, isA<TextStyle>()); }); }); }); }
news_toolkit/flutter_news_example/packages/app_ui/test/src/typography/app_text_styles_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/app_ui/test/src/typography/app_text_styles_test.dart', 'repo_id': 'news_toolkit', 'token_count': 1711}
name: article_repository description: A repository that manages article data. version: 1.0.0+1 publish_to: none environment: sdk: ">=3.0.0 <4.0.0" dependencies: clock: ^1.1.0 equatable: ^2.0.3 flutter_news_example_api: path: ../../api storage: path: ../storage/storage dev_dependencies: coverage: ^1.3.2 mocktail: ^1.0.2 test: ^1.21.4 very_good_analysis: ^5.1.0
news_toolkit/flutter_news_example/packages/article_repository/pubspec.yaml/0
{'file_path': 'news_toolkit/flutter_news_example/packages/article_repository/pubspec.yaml', 'repo_id': 'news_toolkit', 'token_count': 173}
export 'src/firebase_authentication_client.dart';
news_toolkit/flutter_news_example/packages/authentication_client/firebase_authentication_client/lib/firebase_authentication_client.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/authentication_client/firebase_authentication_client/lib/firebase_authentication_client.dart', 'repo_id': 'news_toolkit', 'token_count': 16}
import 'package:app_ui/app_ui.dart'; import 'package:flutter/material.dart'; import 'package:news_blocks/news_blocks.dart'; import 'package:news_blocks_ui/src/widgets/widgets.dart'; /// {@template article_introduction} /// A reusable article introduction block widget. /// {@endtemplate} class ArticleIntroduction extends StatelessWidget { /// {@macro article_introduction} const ArticleIntroduction({ required this.block, required this.premiumText, super.key, }); /// The associated [ArticleIntroductionBlock] instance. final ArticleIntroductionBlock block; /// Text displayed when article is premium content. final String premiumText; @override Widget build(BuildContext context) { return Column( children: [ if (block.imageUrl != null) InlineImage(imageUrl: block.imageUrl!), Padding( padding: const EdgeInsets.symmetric(horizontal: AppSpacing.lg), child: PostContent( categoryName: block.category.name, title: block.title, author: block.author, publishedAt: block.publishedAt, premiumText: premiumText, isPremium: block.isPremium, ), ), const Divider(), const SizedBox(height: AppSpacing.lg), ], ); } }
news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/article_introduction.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/article_introduction.dart', 'repo_id': 'news_toolkit', 'token_count': 494}
export 'post_medium.dart'; export 'post_medium_description_layout.dart'; export 'post_medium_overlaid_layout.dart';
news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/post_medium/index.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/post_medium/index.dart', 'repo_id': 'news_toolkit', 'token_count': 40}
import 'package:app_ui/app_ui.dart'; import 'package:flutter/material.dart' hide ProgressIndicator; import 'package:news_blocks/news_blocks.dart'; import 'package:news_blocks_ui/src/widgets/widgets.dart'; /// {@template video_introduction} /// A reusable video introduction block widget. /// {@endtemplate} class VideoIntroduction extends StatelessWidget { /// {@macro video_introduction} const VideoIntroduction({required this.block, super.key}); /// The associated [VideoIntroductionBlock] instance. final VideoIntroductionBlock block; @override Widget build(BuildContext context) { return Column( children: [ InlineVideo( videoUrl: block.videoUrl, progressIndicator: const ProgressIndicator(), ), Padding( padding: const EdgeInsets.fromLTRB( AppSpacing.lg, 0, AppSpacing.lg, AppSpacing.lg, ), child: PostContent( categoryName: block.category.name, title: block.title, isVideoContent: true, ), ), ], ); } }
news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/video_introduction.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/lib/src/video_introduction.dart', 'repo_id': 'news_toolkit', 'token_count': 469}
name: news_blocks_ui description: A Flutter package that contains UI components for news blocks. version: 1.0.0+1 publish_to: none environment: sdk: ">=2.19.3 <4.0.0" dependencies: app_ui: path: ../app_ui cached_network_image: ^3.2.1 flutter: sdk: flutter flutter_html: 3.0.0-beta.2 google_mobile_ads: ^4.0.0 news_blocks: path: ../../api/packages/news_blocks path_provider_platform_interface: ^2.0.5 platform: ^3.1.0 plugin_platform_interface: ^2.1.3 url_launcher: ^6.1.7 url_launcher_platform_interface: ^2.1.1 video_player: ^2.7.0 video_player_platform_interface: ^6.0.1 dev_dependencies: build_runner: ^2.0.3 fake_async: ^1.3.0 flutter_gen_runner: ^5.2.0 flutter_test: sdk: flutter mocktail: ^1.0.2 mocktail_image_network: ^1.0.0 very_good_analysis: ^5.1.0 flutter: uses-material-design: true assets: - assets/icons/ flutter_gen: assets: enabled: true outputs: package_parameter_enabled: true output: lib/src/generated/ line_length: 80 integrations: flutter_svg: true
news_toolkit/flutter_news_example/packages/news_blocks_ui/pubspec.yaml/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/pubspec.yaml', 'repo_id': 'news_toolkit', 'token_count': 466}
// ignore_for_file: prefer_const_constructors import 'package:flutter/widgets.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:news_blocks_ui/src/newsletter/index.dart'; import '../../helpers/helpers.dart'; void main() { group('NewsletterSucceeded', () { testWidgets('renders correctly', (tester) async { const headerText = 'headerText'; const contentText = 'contentText'; const footerText = 'footerText'; await tester.pumpApp( NewsletterSucceeded( headerText: headerText, content: Text(contentText), footerText: footerText, ), ); expect(find.text(headerText), findsOneWidget); expect(find.text(contentText), findsOneWidget); expect(find.text(footerText), findsOneWidget); }); }); }
news_toolkit/flutter_news_example/packages/news_blocks_ui/test/src/newsletter/newsletter_succeeded_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/test/src/newsletter/newsletter_succeeded_test.dart', 'repo_id': 'news_toolkit', 'token_count': 327}
// ignore_for_file: prefer_const_constructors import 'package:cached_network_image/cached_network_image.dart'; import 'package:flutter/material.dart' hide ProgressIndicator; import 'package:flutter_test/flutter_test.dart'; import 'package:mocktail_image_network/mocktail_image_network.dart'; import 'package:news_blocks_ui/src/widgets/widgets.dart'; import '../../helpers/helpers.dart'; void main() { group('InlineImage', () { testWidgets('renders CachedNetworkImage with imageUrl', (tester) async { const imageUrl = 'imageUrl'; ProgressIndicator progressIndicatorBuilder( BuildContext context, String url, DownloadProgress progress, ) => ProgressIndicator(); await mockNetworkImages( () async => tester.pumpApp( InlineImage( imageUrl: imageUrl, progressIndicatorBuilder: progressIndicatorBuilder, ), ), ); expect( find.byWidgetPredicate( (widget) => widget is CachedNetworkImage && widget.imageUrl == imageUrl && widget.progressIndicatorBuilder == progressIndicatorBuilder, ), findsOneWidget, ); }); }); }
news_toolkit/flutter_news_example/packages/news_blocks_ui/test/src/widgets/inline_image_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/news_blocks_ui/test/src/widgets/inline_image_test.dart', 'repo_id': 'news_toolkit', 'token_count': 514}
include: package:very_good_analysis/analysis_options.5.1.0.yaml
news_toolkit/flutter_news_example/packages/notifications_client/notifications_client/analysis_options.yaml/0
{'file_path': 'news_toolkit/flutter_news_example/packages/notifications_client/notifications_client/analysis_options.yaml', 'repo_id': 'news_toolkit', 'token_count': 23}
import 'dart:async'; import 'dart:convert'; import 'package:equatable/equatable.dart'; import 'package:flutter_news_example_api/client.dart'; import 'package:notifications_client/notifications_client.dart'; import 'package:permission_client/permission_client.dart'; import 'package:storage/storage.dart'; part 'notifications_storage.dart'; /// {@template notifications_failure} /// A base failure for the notifications repository failures. /// {@endtemplate} abstract class NotificationsFailure with EquatableMixin implements Exception { /// {@macro notifications_failure} const NotificationsFailure(this.error); /// The error which was caught. final Object error; @override List<Object> get props => [error]; } /// {@template initialize_categories_preferences_failure} /// Thrown when initializing categories preferences fails. /// {@endtemplate} class InitializeCategoriesPreferencesFailure extends NotificationsFailure { /// {@macro initialize_categories_preferences_failure} const InitializeCategoriesPreferencesFailure(super.error); } /// {@template toggle_notifications_failure} /// Thrown when toggling notifications fails. /// {@endtemplate} class ToggleNotificationsFailure extends NotificationsFailure { /// {@macro toggle_notifications_failure} const ToggleNotificationsFailure(super.error); } /// {@template fetch_notifications_enabled_failure} /// Thrown when fetching a notifications enabled status fails. /// {@endtemplate} class FetchNotificationsEnabledFailure extends NotificationsFailure { /// {@macro fetch_notifications_enabled_failure} const FetchNotificationsEnabledFailure(super.error); } /// {@template set_categories_preferences_failure} /// Thrown when setting categories preferences fails. /// {@endtemplate} class SetCategoriesPreferencesFailure extends NotificationsFailure { /// {@macro set_categories_preferences_failure} const SetCategoriesPreferencesFailure(super.error); } /// {@template fetch_categories_preferences_failure} /// Thrown when fetching categories preferences fails. /// {@endtemplate} class FetchCategoriesPreferencesFailure extends NotificationsFailure { /// {@macro fetch_categories_preferences_failure} const FetchCategoriesPreferencesFailure(super.error); } /// {@template notifications_repository} /// A repository that manages notification permissions and topic subscriptions. /// /// Access to the device's notifications can be toggled with /// [toggleNotifications] and checked with [fetchNotificationsEnabled]. /// /// Notification preferences for topic subscriptions related to news categories /// may be updated with [setCategoriesPreferences] and checked with /// [fetchCategoriesPreferences]. /// {@endtemplate} class NotificationsRepository { /// {@macro notifications_repository} NotificationsRepository({ required PermissionClient permissionClient, required NotificationsStorage storage, required NotificationsClient notificationsClient, required FlutterNewsExampleApiClient apiClient, }) : _permissionClient = permissionClient, _storage = storage, _notificationsClient = notificationsClient, _apiClient = apiClient { unawaited(_initializeCategoriesPreferences()); } final PermissionClient _permissionClient; final NotificationsStorage _storage; final NotificationsClient _notificationsClient; final FlutterNewsExampleApiClient _apiClient; /// Toggles the notifications based on the [enable]. /// /// When [enable] is true, request the notification permission if not granted /// and marks the notification setting as enabled. Subscribes the user to /// notifications related to user's categories preferences. /// /// When [enable] is false, marks notification setting as disabled and /// unsubscribes the user from notifications related to user's categories /// preferences. Future<void> toggleNotifications({required bool enable}) async { try { // Request the notification permission when turning notifications on. if (enable) { // Find the current notification permission status. final permissionStatus = await _permissionClient.notificationsStatus(); // Navigate the user to permission settings // if the permission status is permanently denied or restricted. if (permissionStatus.isPermanentlyDenied || permissionStatus.isRestricted) { await _permissionClient.openPermissionSettings(); return; } // Request the permission if the permission status is denied. if (permissionStatus.isDenied) { final updatedPermissionStatus = await _permissionClient.requestNotifications(); if (!updatedPermissionStatus.isGranted) { return; } } } // Toggle categories preferences notification subscriptions. await _toggleCategoriesPreferencesSubscriptions(enable: enable); // Update the notifications enabled in Storage. await _storage.setNotificationsEnabled(enabled: enable); } catch (error, stackTrace) { Error.throwWithStackTrace(ToggleNotificationsFailure(error), stackTrace); } } /// Returns true when the notification permission is granted /// and the notification setting is enabled. Future<bool> fetchNotificationsEnabled() async { try { final results = await Future.wait([ _permissionClient.notificationsStatus(), _storage.fetchNotificationsEnabled(), ]); final permissionStatus = results.first as PermissionStatus; final notificationsEnabled = results.last as bool; return permissionStatus.isGranted && notificationsEnabled; } catch (error, stackTrace) { Error.throwWithStackTrace( FetchNotificationsEnabledFailure(error), stackTrace, ); } } /// Updates the user's notification preferences and subscribes the user to /// receive notifications related to [categories]. /// /// [categories] represents a set of categories the user has agreed to /// receive notifications from. /// /// Throws [SetCategoriesPreferencesFailure] when updating fails. Future<void> setCategoriesPreferences(Set<Category> categories) async { try { // Disable notification subscriptions for previous categories preferences. await _toggleCategoriesPreferencesSubscriptions(enable: false); // Update categories preferences in Storage. await _storage.setCategoriesPreferences(categories: categories); // Enable notification subscriptions for updated categories preferences. if (await fetchNotificationsEnabled()) { await _toggleCategoriesPreferencesSubscriptions(enable: true); } } catch (error, stackTrace) { Error.throwWithStackTrace( SetCategoriesPreferencesFailure(error), stackTrace, ); } } /// Fetches the user's notification preferences for news categories. /// /// The result represents a set of categories the user has agreed to /// receive notifications from. /// /// Throws [FetchCategoriesPreferencesFailure] when fetching fails. Future<Set<Category>?> fetchCategoriesPreferences() async { try { return await _storage.fetchCategoriesPreferences(); } on StorageException catch (error, stackTrace) { Error.throwWithStackTrace( FetchCategoriesPreferencesFailure(error), stackTrace, ); } } /// Toggles notification subscriptions based on user's categories preferences. Future<void> _toggleCategoriesPreferencesSubscriptions({ required bool enable, }) async { final categoriesPreferences = await _storage.fetchCategoriesPreferences() ?? {}; await Future.wait( categoriesPreferences.map((category) { return enable ? _notificationsClient.subscribeToCategory(category.name) : _notificationsClient.unsubscribeFromCategory(category.name); }), ); } /// Initializes categories preferences to all categories /// if they have not been set before. Future<void> _initializeCategoriesPreferences() async { try { final categoriesPreferences = await _storage.fetchCategoriesPreferences(); if (categoriesPreferences == null) { final categoriesResponse = await _apiClient.getCategories(); await _storage.setCategoriesPreferences( categories: categoriesResponse.categories.toSet(), ); } } catch (error, stackTrace) { Error.throwWithStackTrace( InitializeCategoriesPreferencesFailure(error), stackTrace, ); } } }
news_toolkit/flutter_news_example/packages/notifications_repository/lib/src/notifications_repository.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/notifications_repository/lib/src/notifications_repository.dart', 'repo_id': 'news_toolkit', 'token_count': 2590}
import 'package:permission_handler/permission_handler.dart'; export 'package:permission_handler/permission_handler.dart' show PermissionStatus, PermissionStatusGetters; /// {@template permission_client} /// A client that handles requesting permissions on a device. /// {@endtemplate} class PermissionClient { /// {@macro permission_client} const PermissionClient(); /// Request access to the device's notifications, /// if access hasn't been previously granted. Future<PermissionStatus> requestNotifications() => Permission.notification.request(); /// Returns a permission status for the device's notifications. Future<PermissionStatus> notificationsStatus() => Permission.notification.status; /// Opens the app settings page. /// /// Returns true if the settings could be opened, otherwise false. Future<bool> openPermissionSettings() => openAppSettings(); }
news_toolkit/flutter_news_example/packages/permission_client/lib/src/permission_client.dart/0
{'file_path': 'news_toolkit/flutter_news_example/packages/permission_client/lib/src/permission_client.dart', 'repo_id': 'news_toolkit', 'token_count': 239}
name: share_launcher description: A launcher that handles share functionality on a device. version: 1.0.0+1 publish_to: none environment: sdk: ">=3.0.0 <4.0.0" dependencies: equatable: ^2.0.3 flutter: sdk: flutter share_plus: ^7.0.2 share_plus_platform_interface: ^3.1.2 dev_dependencies: flutter_test: sdk: flutter mocktail: ^1.0.2 plugin_platform_interface: ^2.1.2 url_launcher_platform_interface: ^2.0.5 very_good_analysis: ^5.1.0
news_toolkit/flutter_news_example/packages/share_launcher/pubspec.yaml/0
{'file_path': 'news_toolkit/flutter_news_example/packages/share_launcher/pubspec.yaml', 'repo_id': 'news_toolkit', 'token_count': 198}
// ignore_for_file: prefer_const_constructors import 'package:flutter_news_example/article/article.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:news_blocks/news_blocks.dart'; void main() { group('ArticleState', () { test('initial has correct status', () { expect( ArticleState.initial().status, equals(ArticleStatus.initial), ); }); test('supports value comparisons', () { expect( ArticleState.initial(), equals(ArticleState.initial()), ); }); group('contentMilestone', () { test( 'returns 0 ' 'when contentTotalCount is null', () { expect( ArticleState.initial().copyWith(contentSeenCount: 5).contentMilestone, isZero, ); }); test( 'returns 0 ' 'when isPreview is true', () { expect( ArticleState.initial() .copyWith(contentSeenCount: 5, isPreview: true) .contentMilestone, isZero, ); }); test( 'returns 0 ' 'when user has seen less than 25% of content', () { expect( ArticleState.initial() .copyWith( contentSeenCount: 0, contentTotalCount: 100, ) .contentMilestone, isZero, ); expect( ArticleState.initial() .copyWith( contentSeenCount: 24, contentTotalCount: 100, ) .contentMilestone, isZero, ); }); test( 'returns 25 ' 'when user has seen at least 25% of content ' 'and less than 50%', () { expect( ArticleState.initial() .copyWith( contentSeenCount: 25, contentTotalCount: 100, ) .contentMilestone, equals(25), ); expect( ArticleState.initial() .copyWith( contentSeenCount: 49, contentTotalCount: 100, ) .contentMilestone, equals(25), ); }); test( 'returns 50 ' 'when user has seen at least 50% of content ' 'and less than 75%', () { expect( ArticleState.initial() .copyWith( contentSeenCount: 50, contentTotalCount: 100, ) .contentMilestone, equals(50), ); expect( ArticleState.initial() .copyWith( contentSeenCount: 74, contentTotalCount: 100, ) .contentMilestone, equals(50), ); }); test( 'returns 75 ' 'when user has seen at least 75% of content ' 'and less than 100%', () { expect( ArticleState.initial() .copyWith( contentSeenCount: 75, contentTotalCount: 100, ) .contentMilestone, equals(75), ); expect( ArticleState.initial() .copyWith( contentSeenCount: 99, contentTotalCount: 100, ) .contentMilestone, equals(75), ); }); test( 'returns 100 ' 'when user has seen 100% of content', () { expect( ArticleState.initial() .copyWith( contentSeenCount: 100, contentTotalCount: 100, ) .contentMilestone, equals(100), ); }); }); group('copyWith', () { test( 'returns same object ' 'when no properties are passed', () { expect( ArticleState.initial().copyWith(), equals(ArticleState.initial()), ); }); test( 'returns object with updated title ' 'when title is passed', () { expect( ArticleState( status: ArticleStatus.populated, ).copyWith(title: 'title'), equals( ArticleState( status: ArticleStatus.populated, title: 'title', ), ), ); }); test( 'returns object with updated status ' 'when status is passed', () { expect( ArticleState.initial().copyWith( status: ArticleStatus.loading, ), equals( ArticleState( status: ArticleStatus.loading, ), ), ); }); test( 'returns object with updated content ' 'when content is passed', () { final content = <NewsBlock>[ TextCaptionBlock(text: 'text', color: TextCaptionColor.normal), TextParagraphBlock(text: 'text'), ]; expect( ArticleState(status: ArticleStatus.populated).copyWith( content: content, ), equals( ArticleState( status: ArticleStatus.populated, content: content, ), ), ); }); test( 'returns object with updated contentTotalCount ' 'when contentTotalCount is passed', () { const contentTotalCount = 10; expect( ArticleState(status: ArticleStatus.populated).copyWith( contentTotalCount: contentTotalCount, ), equals( ArticleState( status: ArticleStatus.populated, contentTotalCount: contentTotalCount, ), ), ); }); test( 'returns object with updated contentSeenCount ' 'when contentSeenCount is passed', () { const contentSeenCount = 10; expect( ArticleState(status: ArticleStatus.populated).copyWith( contentSeenCount: contentSeenCount, ), equals( ArticleState( status: ArticleStatus.populated, contentSeenCount: contentSeenCount, ), ), ); }); test( 'returns object with updated hasMoreContent ' 'when hasMoreContent is passed', () { const hasMoreContent = false; expect( ArticleState( status: ArticleStatus.populated, hasMoreContent: false, ).copyWith(hasMoreContent: hasMoreContent), equals( ArticleState( status: ArticleStatus.populated, hasMoreContent: hasMoreContent, ), ), ); }); test( 'returns object with updated relatedArticles ' 'when relatedArticles is passed', () { const relatedArticles = <NewsBlock>[DividerHorizontalBlock()]; expect( ArticleState( status: ArticleStatus.populated, ).copyWith(relatedArticles: relatedArticles), equals( ArticleState( status: ArticleStatus.populated, relatedArticles: relatedArticles, ), ), ); }); test( 'returns object with updated hasReachedArticleViewsLimit ' 'when hasReachedArticleViewsLimit is passed', () { const hasReachedArticleViewsLimit = true; expect( ArticleState( status: ArticleStatus.populated, ).copyWith(hasReachedArticleViewsLimit: hasReachedArticleViewsLimit), equals( ArticleState( status: ArticleStatus.populated, hasReachedArticleViewsLimit: hasReachedArticleViewsLimit, ), ), ); }); test( 'returns object with updated isPreview ' 'when isPreview is passed', () { const isPreview = true; expect( ArticleState( status: ArticleStatus.populated, ).copyWith(isPreview: isPreview), equals( ArticleState( status: ArticleStatus.populated, isPreview: isPreview, ), ), ); }); test( 'returns object with updated isPremium ' 'when isPremium is passed', () { const isPremium = true; expect( ArticleState( status: ArticleStatus.populated, ).copyWith(isPremium: isPremium), equals( ArticleState( status: ArticleStatus.populated, isPremium: isPremium, ), ), ); }); }); }); }
news_toolkit/flutter_news_example/test/article/bloc/article_state_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/article/bloc/article_state_test.dart', 'repo_id': 'news_toolkit', 'token_count': 4639}
// ignore_for_file: prefer_const_constructors import 'package:flutter_news_example/feed/feed.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:news_repository/news_repository.dart'; void main() { group('FeedEvent', () { group('FeedRequested', () { test('supports value comparisons', () { final event1 = FeedRequested(category: Category.health); final event2 = FeedRequested(category: Category.health); expect(event1, equals(event2)); }); }); group('FeedRefreshRequested', () { test('supports value comparisons', () { final event1 = FeedRefreshRequested(category: Category.science); final event2 = FeedRefreshRequested(category: Category.science); expect(event1, equals(event2)); }); }); }); }
news_toolkit/flutter_news_example/test/feed/bloc/feed_event_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/feed/bloc/feed_event_test.dart', 'repo_id': 'news_toolkit', 'token_count': 300}
// ignore_for_file: prefer_const_constructors import 'package:flutter_news_example/login/login.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:form_inputs/form_inputs.dart'; void main() { const email = Email.dirty('email'); group('LoginState', () { test('supports value comparisons', () { expect(LoginState(), LoginState()); }); test('returns same object when no properties are passed', () { expect(LoginState().copyWith(), LoginState()); }); test('returns object with updated status when status is passed', () { expect( LoginState().copyWith(status: FormzSubmissionStatus.initial), LoginState(), ); }); test('returns object with updated email when email is passed', () { expect( LoginState().copyWith(email: email), LoginState(email: email), ); }); test('returns object with updated valid when valid is passed', () { expect( LoginState().copyWith(valid: true), LoginState(valid: true), ); }); }); }
news_toolkit/flutter_news_example/test/login/bloc/login_state_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/login/bloc/login_state_test.dart', 'repo_id': 'news_toolkit', 'token_count': 390}
// ignore_for_file: prefer_const_constructors import 'package:flutter/material.dart'; import 'package:flutter_news_example/network_error/network_error.dart'; import 'package:flutter_test/flutter_test.dart'; import '../../helpers/helpers.dart'; void main() { const tapMeText = 'Tap Me'; group('NetworkError', () { testWidgets('renders correctly', (tester) async { await tester.pumpApp(NetworkError()); expect(find.byType(NetworkError), findsOneWidget); }); testWidgets('router returns a valid navigation route', (tester) async { await tester.pumpApp( Scaffold( body: Builder( builder: (context) { return ElevatedButton( onPressed: () { Navigator.of(context).push<void>(NetworkError.route()); }, child: const Text(tapMeText), ); }, ), ), ); await tester.tap(find.text(tapMeText)); await tester.pumpAndSettle(); expect(find.byType(NetworkError), findsOneWidget); }); }); }
news_toolkit/flutter_news_example/test/network_error/view/network_error_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/network_error/view/network_error_test.dart', 'repo_id': 'news_toolkit', 'token_count': 490}
// ignore_for_file: prefer_const_constructors import 'package:flutter_news_example/search/search.dart'; import 'package:flutter_test/flutter_test.dart'; void main() { group('SearchEvent', () { group('SearchTermChanged', () { test('supports empty value comparisons', () { final event1 = SearchTermChanged(); final event2 = SearchTermChanged(); expect(event1, equals(event2)); }); }); test('supports searchTerm value comparisons', () { final event1 = SearchTermChanged(searchTerm: 'keyword'); final event2 = SearchTermChanged(searchTerm: 'keyword'); expect(event1, equals(event2)); }); }); }
news_toolkit/flutter_news_example/test/search/bloc/search_event_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/search/bloc/search_event_test.dart', 'repo_id': 'news_toolkit', 'token_count': 240}
// ignore_for_file: prefer_const_constructors import 'package:flutter/material.dart'; import 'package:flutter_news_example/terms_of_service/terms_of_service.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:mockingjay/mockingjay.dart'; import '../../helpers/helpers.dart'; void main() { const termsOfServiceModalCloseButtonKey = Key('termsOfServiceModal_closeModal_iconButton'); group('TermsOfServiceModal', () { group('renders', () { testWidgets('terms of service modal header', (tester) async { await tester.pumpApp(TermsOfServiceModal()); expect(find.byType(TermsOfServiceModalHeader), findsOneWidget); }); testWidgets('terms of service modal close button', (tester) async { await tester.pumpApp(TermsOfServiceModal()); final closeButton = find.byKey(termsOfServiceModalCloseButtonKey); expect(closeButton, findsOneWidget); }); testWidgets('terms of service body', (tester) async { await tester.pumpApp(TermsOfServiceModal()); expect(find.byType(TermsOfServiceBody), findsOneWidget); }); }); group('closes terms of service modal', () { testWidgets('when the close icon button is pressed', (tester) async { final navigator = MockNavigator(); when(navigator.pop).thenAnswer((_) async {}); await tester.pumpApp( TermsOfServiceModal(), navigator: navigator, ); await tester.tap(find.byKey(termsOfServiceModalCloseButtonKey)); await tester.pumpAndSettle(); verify(navigator.pop).called(1); }); }); }); }
news_toolkit/flutter_news_example/test/terms_of_service/view/terms_of_service_modal_test.dart/0
{'file_path': 'news_toolkit/flutter_news_example/test/terms_of_service/view/terms_of_service_modal_test.dart', 'repo_id': 'news_toolkit', 'token_count': 647}
// ignore_for_file: public_member_api_docs, sort_constructors_first import 'package:equatable/equatable.dart'; import 'package:notely/app/model/user.dart'; abstract class SignupState extends Equatable { const SignupState(); } class SignupInitial extends SignupState { @override List<Object?> get props => []; } class SignupLoading extends SignupState { @override List<Object?> get props => []; } class SignupLoaded extends SignupState { const SignupLoaded({ required this.user, }); final User user; @override List<Object?> get props => [user]; } class SignupError extends SignupState { final String message; const SignupError(this.message); @override List<Object?> get props => [message]; }
notely/lib/app/cubits/signup/signup_state.dart/0
{'file_path': 'notely/lib/app/cubits/signup/signup_state.dart', 'repo_id': 'notely', 'token_count': 238}
import 'dart:async'; import 'dart:io'; import 'package:flutter/material.dart'; import 'package:http/http.dart'; import 'package:ocarina/ocarina.dart'; import 'package:path_provider/path_provider.dart'; void main() => runApp(MyApp()); class MyApp extends StatelessWidget { @override Widget build(BuildContext context) { return MaterialApp( title: 'Flutter Demo', theme: ThemeData( primarySwatch: Colors.blue, ), home: MyHomePage(title: 'Ocarina Example'), ); } } class MyHomePage extends StatefulWidget { MyHomePage({required this.title}); final String title; @override _MyHomePageState createState() => _MyHomePageState(); } const staticFileUrl = 'https://luan.xyz/files/audio/ambient_c_motion.mp3'; class _MyHomePageState extends State<MyHomePage> { OcarinaPlayer? _player; String? _localFilePath; bool _loop = true; bool _fetchingFile = false; Future _loadFile() async { final bytes = await readBytes(Uri.parse(staticFileUrl)); final dir = await getApplicationDocumentsDirectory(); final file = File('${dir.path}/audio.mp3'); await file.writeAsBytes(bytes); if (await file.exists()) { setState(() { _localFilePath = file.path; }); } } @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: Text(widget.title), ), body: Center( child: (_player != null ? PlayerWidget( player: _player!, onBack: () { setState(() { _localFilePath = null; _fetchingFile = false; _player = null; }); }) : Column( children: [ ElevatedButton( child: Text(_loop ? "Loop mode" : "Single play mode"), onPressed: () async { setState(() { _loop = !_loop; }); }), ElevatedButton( child: Text("Play asset audio"), onPressed: () async { final player = OcarinaPlayer( asset: 'assets/Loop-Menu.wav', loop: _loop); setState(() { _player = player; }); }), ElevatedButton( child: Text(_fetchingFile ? "Fetching file..." : "Download file to Device, and play it"), onPressed: () async { if (_fetchingFile) return; setState(() { _fetchingFile = true; }); await _loadFile(); final player = OcarinaPlayer(filePath: _localFilePath); await player.load(); setState(() { _player = player; }); }) ], )), ), ); } } class PlayerWidget extends StatelessWidget { final OcarinaPlayer player; final VoidCallback onBack; PlayerWidget({required this.player, required this.onBack}); @override Widget build(_) { return FutureBuilder( future: player.load(), builder: (ctx, snapshot) { switch (snapshot.connectionState) { case ConnectionState.waiting: case ConnectionState.none: case ConnectionState.active: return Text("Loading player"); case ConnectionState.done: if (snapshot.hasError) { return Column( children: [ Text("Error loading player"), ElevatedButton( child: Text("Go Back"), onPressed: onBack.call, ), ], ); } return Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ ElevatedButton( child: Text("Play"), onPressed: () async { await player.play(); }), ElevatedButton( child: Text("Stop"), onPressed: () async { await player.stop(); }), ElevatedButton( child: Text("Pause"), onPressed: () async { await player.pause(); }), ElevatedButton( child: Text("Resume"), onPressed: () async { await player.resume(); }), ElevatedButton( child: Text("Seek to 5 secs"), onPressed: () async { await player.seek(Duration(seconds: 5)); }), Row(mainAxisAlignment: MainAxisAlignment.center, children: [ Text("Volume"), ElevatedButton( child: Text("0.2"), onPressed: () async { await player.updateVolume(0.2); }), ElevatedButton( child: Text("0.5"), onPressed: () async { await player.updateVolume(0.5); }), ElevatedButton( child: Text("1.0"), onPressed: () async { await player.updateVolume(1.0); }), ]), ElevatedButton( child: Text("Dispose"), onPressed: () async { await player.dispose(); }), ElevatedButton( child: Text("Go Back"), onPressed: onBack.call, ), ]); } }); } }
ocarina/example/lib/main.dart/0
{'file_path': 'ocarina/example/lib/main.dart', 'repo_id': 'ocarina', 'token_count': 3881}
import 'package:ordered_set/comparing.dart'; import 'package:ordered_set/ordered_set.dart'; import 'package:test/test.dart'; import 'comparable_object.dart'; void main() { group('OrderedSet', () { group('#removeWhere', () { test('remove single element', () { final a = OrderedSet<int>(); expect(a.addAll([7, 4, 3, 1, 2, 6, 5]), 7); expect(a.length, 7); expect(a.removeWhere((e) => e == 3).length, 1); expect(a.length, 6); expect(a.toList().join(), '124567'); }); test('remove with property', () { final a = OrderedSet<int>(); expect(a.addAll([7, 4, 3, 1, 2, 6, 5]), 7); expect(a.removeWhere((e) => e.isOdd).length, 4); expect(a.length, 3); expect(a.toList().join(), '246'); }); test('remove when element has changed', () { final a = OrderedSet<ComparableObject>(); final e1 = ComparableObject(1, 'e1'); final e2 = ComparableObject(1, 'e2'); final e3 = ComparableObject(2, 'e3'); final e4 = ComparableObject(2, 'e4'); a.addAll([e1, e2, e3, e4]); e1.priority = 2; // no rebalance! note that this is a broken state until rebalance is // called. expect(a.remove(e1), isTrue); expect(a.toList().join(), 'e2e3e4'); }); test('remove returns the removed elements', () { final a = OrderedSet<int>(); a.addAll([7, 4, 3, 1, 2, 6, 5]); final removed = a.removeWhere((e) => e <= 2); expect(removed.length, 2); expect(removed.toList().join(), '12'); }); test('remove from same group and different groups', () { final a = OrderedSet<ComparableObject>(); expect(a.add(ComparableObject(0, 'a1')), isTrue); expect(a.add(ComparableObject(0, 'a2')), isTrue); expect(a.add(ComparableObject(0, 'b1')), isTrue); expect(a.add(ComparableObject(1, 'a3')), isTrue); expect(a.add(ComparableObject(1, 'b2')), isTrue); expect(a.add(ComparableObject(1, 'b3')), isTrue); expect(a.add(ComparableObject(2, 'a4')), isTrue); expect(a.add(ComparableObject(2, 'b4')), isTrue); expect(a.removeWhere((e) => e.name.startsWith('a')).length, 4); expect(a.length, 4); expect(a.toList().join(), 'b1b2b3b4'); }); test('remove all', () { final a = OrderedSet<ComparableObject>(); expect(a.add(ComparableObject(0, 'a1')), isTrue); expect(a.add(ComparableObject(0, 'a2')), isTrue); expect(a.add(ComparableObject(0, 'b1')), isTrue); expect(a.add(ComparableObject(1, 'a3')), isTrue); expect(a.add(ComparableObject(1, 'b2')), isTrue); expect(a.add(ComparableObject(1, 'b3')), isTrue); expect(a.add(ComparableObject(2, 'a4')), isTrue); expect(a.add(ComparableObject(2, 'b4')), isTrue); expect(a.removeWhere((e) => true).length, 8); expect(a.length, 0); expect(a.toList().join(), ''); }); }); group('#clear', () { test('removes all and updates length', () { final a = OrderedSet<int>(); expect(a.addAll([1, 2, 3, 4, 5, 6]), 6); a.clear(); expect(a.length, 0); expect(a.toList().length, 0); }); }); group('#addAll', () { test('maintains order', () { final a = OrderedSet<int>(); expect(a.length, 0); expect(a.addAll([7, 4, 3, 1, 2, 6, 5]), 7); expect(a.length, 7); expect(a.toList().join(), '1234567'); }); test('with repeated priority elements', () { final a = OrderedSet<int>((a, b) => (a % 2) - (b % 2)); expect(a.addAll([7, 4, 3, 1, 2, 6, 5]), 7); expect(a.length, 7); expect(a.toList().join(), '4267315'); final b = OrderedSet<int>((a, b) => 0); expect(b.addAll([7, 4, 3, 1, 2, 6, 5]), 7); expect(a.length, 7); expect(b.toList().join(), '7431265'); }); test('with identical elements', () { final a = OrderedSet<int>(); expect(a.addAll([4, 3, 3, 2, 2, 2, 1]), 4); expect(a.length, 4); expect(a.toList().join(), '1234'); }); test('elements with same priorities', () { final a = OrderedSet<ComparableObject>(); final e1 = ComparableObject(1, 'e1'); final e2 = ComparableObject(1, 'e2'); final e3 = ComparableObject(2, 'e3'); final e4 = ComparableObject(2, 'e4'); a.addAll([e1, e3, e2, e4]); expect(a.toList().join(), 'e1e2e3e4'); a.remove(e2); expect(a.toList().join(), 'e1e3e4'); a.add(e2); expect(a.toList().join(), 'e1e2e3e4'); }); test('duplicated item is discarded', () { final a = OrderedSet<int>(); a.add(2); a.add(1); a.add(2); expect(a.length, 2); expect(a.toList().join(), '12'); }); }); group('#length', () { test('keeps track of length when adding', () { final a = OrderedSet<int>(); expect(a.add(1), isTrue); expect(a.length, 1); expect(a.add(2), isTrue); expect(a.length, 2); expect(a.add(3), isTrue); expect(a.length, 3); }); test('keeps track of length when removing', () { final a = OrderedSet<int>((a, b) => 0); // no priority expect(a.addAll([1, 2, 3, 4]), 4); expect(a.length, 4); expect(a.remove(1), isTrue); expect(a.length, 3); expect(a.remove(1), isFalse); expect(a.length, 3); expect(a.remove(5), isFalse); // never been there expect(a.length, 3); expect(a.remove(2), isTrue); expect(a.remove(3), isTrue); expect(a.length, 1); expect(a.remove(4), isTrue); expect(a.length, 0); expect(a.remove(4), isFalse); }); }); group('#add/#remove', () { test('no comparator test with int', () { final a = OrderedSet<int>(); expect(a.add(2), isTrue); expect(a.add(1), isTrue); expect(a.toList(), [1, 2]); }); test('no comparator test with string', () { final a = OrderedSet<String>(); expect(a.add('aab'), isTrue); expect(a.add('cab'), isTrue); expect(a.add('bab'), isTrue); expect(a.toList(), ['aab', 'bab', 'cab']); }); test('no comparator test with comparable', () { final a = OrderedSet<ComparableObject>(); expect(a.add(ComparableObject(12, 'Klaus')), isTrue); expect(a.add(ComparableObject(1, 'Sunny')), isTrue); expect(a.add(ComparableObject(14, 'Violet')), isTrue); final expected = ['Sunny', 'Klaus', 'Violet']; expect(a.toList().map((e) => e.name).toList(), expected); }); test('test with custom comparator', () { final a = OrderedSet<ComparableObject>( (a, b) => a.name.compareTo(b.name), ); expect(a.add(ComparableObject(1, 'Sunny')), isTrue); expect(a.add(ComparableObject(12, 'Klaus')), isTrue); expect(a.add(ComparableObject(14, 'Violet')), isTrue); final expected = ['Klaus', 'Sunny', 'Violet']; expect(a.toList().map((e) => e.name).toList(), expected); }); test( 'test items with repeated comparables, maintain insertion order', () { final a = OrderedSet<int>((a, b) => (a % 2) - (b % 2)); for (var i = 0; i < 10; i++) { expect(a.add(i), isTrue); } expect(a.toList(), [0, 2, 4, 6, 8, 1, 3, 5, 7, 9]); }, ); test('test items with actual duplicated items', () { final a = OrderedSet<int>(); expect(a.add(1), isTrue); expect(a.add(1), isFalse); expect(a.toList(), [1]); }); test('test remove items', () { final a = OrderedSet<int>(); expect(a.add(1), isTrue); expect(a.add(2), isTrue); expect(a.add(0), isTrue); expect(a.remove(1), isTrue); expect(a.remove(3), isFalse); expect(a.toList(), [0, 2]); }); test('test remove with duplicates', () { final a = OrderedSet<int>(); expect(a.add(0), isTrue); expect(a.add(1), isTrue); expect(a.add(1), isFalse); expect(a.add(2), isTrue); expect(a.toList(), [0, 1, 2]); expect(a.remove(1), isTrue); expect(a.toList(), [0, 2]); expect(a.remove(1), isFalse); expect(a.toList(), [0, 2]); }); test('with custom comparator, repeated items and removal', () { final a = OrderedSet<ComparableObject>( (a, b) => -a.priority.compareTo(b.priority), ); final a1 = ComparableObject(2, '1'); final a2 = ComparableObject(2, '2'); final a3 = ComparableObject(1, '3'); final a4 = ComparableObject(1, '4'); final a5 = ComparableObject(1, '5'); final a6 = ComparableObject(0, '6'); expect(a.add(a6), isTrue); expect(a.add(a3), isTrue); expect(a.add(a4), isTrue); expect(a.add(a5), isTrue); expect(a.add(a1), isTrue); expect(a.add(a2), isTrue); expect(a.toList().join(), '123456'); expect(a.remove(a4), isTrue); expect(a.toList().join(), '12356'); expect(a.remove(a4), isFalse); expect(a.toList().join(), '12356'); expect(a.remove(ComparableObject(1, '5')), isFalse); expect(a.toList().join(), '12356'); expect(a.remove(a5), isTrue); expect(a.toList().join(), '1236'); expect(a.add(ComparableObject(10, '*')), isTrue); expect(a.toList().join(), '*1236'); expect(a.remove(a1), isTrue); expect(a.remove(a6), isTrue); expect(a.toList().join(), '*23'); expect(a.add(ComparableObject(-10, '*')), isTrue); expect(a.toList().join(), '*23*'); expect(a.remove(a2), isTrue); expect(a.toList().join(), '*3*'); expect(a.remove(a2), isFalse); expect(a.remove(a2), isFalse); expect(a.toList().join(), '*3*'); expect(a.remove(a3), isTrue); expect(a.toList().join(), '**'); }); test('removeAll', () { final orderedSet = OrderedSet<ComparableObject>( Comparing.on((e) => e.priority), ); final a = ComparableObject(0, 'a'); final b = ComparableObject(1, 'b'); final c = ComparableObject(2, 'c'); final d = ComparableObject(3, 'd'); orderedSet.addAll([d, b, a, c]); expect(orderedSet.removeAll([c, a]).join(), 'ca'); expect(orderedSet.toList().join(), 'bd'); orderedSet.addAll([d, b, a, c]); expect(orderedSet.removeAll([d, b]).join(), 'db'); expect(orderedSet.toList().join(), 'ac'); }); test('sorts after remove', () { final orderedSet = OrderedSet<int>(); // The initial elements must be in order. orderedSet.addAll([1, 3, 4]); expect(orderedSet.toList().join(), '134'); expect(orderedSet.remove(4), true); expect(orderedSet.toList().join(), '13'); expect(orderedSet.add(2), true); expect(orderedSet.toList().join(), '123'); }); }); group('rebalancing', () { test('rebalanceWhere and rebalanceAll', () { final orderedSet = OrderedSet<ComparableObject>( Comparing.on((e) => e.priority), ); final a = ComparableObject(0, 'a'); final b = ComparableObject(1, 'b'); final c = ComparableObject(2, 'c'); final d = ComparableObject(3, 'd'); orderedSet.addAll([d, b, a, c]); expect(orderedSet.toList().join(), 'abcd'); a.priority = 4; expect(orderedSet.toList().join(), 'abcd'); orderedSet.rebalanceWhere((e) => identical(e, a)); expect(orderedSet.toList().join(), 'bcda'); b.priority = 5; c.priority = -1; expect(orderedSet.toList().join(), 'bcda'); orderedSet.rebalanceAll(); expect(orderedSet.toList().join(), 'cdab'); }); }); group('reversed', () { test('reversed properly invalidates cache', () { final orderedSet = OrderedSet<ComparableObject>( Comparing.on((e) => e.priority), ); final a = ComparableObject(0, 'a'); final b = ComparableObject(1, 'b'); final c = ComparableObject(2, 'c'); final d = ComparableObject(3, 'd'); orderedSet.addAll([d, b, a, c]); expect(orderedSet.reversed().join(), 'dcba'); a.priority = 4; expect(orderedSet.reversed().join(), 'dcba'); orderedSet.rebalanceWhere((e) => identical(e, a)); expect(orderedSet.reversed().join(), 'adcb'); b.priority = 5; c.priority = -1; expect(orderedSet.reversed().join(), 'adcb'); orderedSet.rebalanceAll(); expect(orderedSet.reversed().join(), 'badc'); orderedSet.remove(d); expect(orderedSet.reversed().join(), 'bac'); orderedSet.add(d); expect(orderedSet.reversed().join(), 'badc'); orderedSet.removeAll([a, b]); expect(orderedSet.reversed().join(), 'dc'); orderedSet.addAll([a, b]); expect(orderedSet.reversed().join(), 'badc'); }); }); }); }
ordered_set/test/ordered_set_test.dart/0
{'file_path': 'ordered_set/test/ordered_set_test.dart', 'repo_id': 'ordered_set', 'token_count': 6419}
import 'package:clock/clock.dart'; import 'package:ovavue/domain.dart'; import '../auth/auth_mock_impl.dart'; class UsersMockImpl implements UsersRepository { static final UserEntity user = UserEntity( id: AuthMockImpl.id, path: '/users/${AuthMockImpl.id}', createdAt: clock.now(), ); @override Future<UserEntity> create(AccountEntity account) async => user; @override Future<UserEntity?> fetch(String uid) async => user; }
ovavue/lib/data/repositories/users/users_mock_impl.dart/0
{'file_path': 'ovavue/lib/data/repositories/users/users_mock_impl.dart', 'repo_id': 'ovavue', 'token_count': 158}
import 'budget_metadata_value_operation.dart'; class CreateBudgetMetadataData { const CreateBudgetMetadataData({ required this.title, required this.description, required this.operations, }); final String title; final String description; final Set<BudgetMetadataValueOperation> operations; }
ovavue/lib/domain/entities/create_budget_metadata_data.dart/0
{'file_path': 'ovavue/lib/domain/entities/create_budget_metadata_data.dart', 'repo_id': 'ovavue', 'token_count': 93}
import '../entities/account_entity.dart'; import '../entities/user_entity.dart'; abstract class UsersRepository { Future<UserEntity> create(AccountEntity account); Future<UserEntity?> fetch(String uid); }
ovavue/lib/domain/repositories/users.dart/0
{'file_path': 'ovavue/lib/domain/repositories/users.dart', 'repo_id': 'ovavue', 'token_count': 66}
import '../entities/budget_allocation_entity.dart'; import '../repositories/budget_allocations.dart'; class FetchBudgetAllocationsByPlanUseCase { const FetchBudgetAllocationsByPlanUseCase({ required BudgetAllocationsRepository allocations, }) : _allocations = allocations; final BudgetAllocationsRepository _allocations; Stream<BudgetAllocationEntityList> call({ required String userId, required String planId, }) => _allocations.fetchByPlan(userId: userId, planId: planId); }
ovavue/lib/domain/use_cases/fetch_budget_allocations_by_plan_use_case.dart/0
{'file_path': 'ovavue/lib/domain/use_cases/fetch_budget_allocations_by_plan_use_case.dart', 'repo_id': 'ovavue', 'token_count': 160}
import '../repositories/preferences.dart'; class UpdateThemeModeUseCase { const UpdateThemeModeUseCase({ required PreferencesRepository preferences, }) : _preferences = preferences; final PreferencesRepository _preferences; Future<bool> call(int themeMode) async => _preferences.updateThemeMode(themeMode); }
ovavue/lib/domain/use_cases/update_theme_mode_use_case.dart/0
{'file_path': 'ovavue/lib/domain/use_cases/update_theme_mode_use_case.dart', 'repo_id': 'ovavue', 'token_count': 94}
import 'package:equatable/equatable.dart'; import 'budget_metadata_key_view_model.dart'; import 'budget_metadata_value_view_model.dart'; class BudgetMetadataViewModel with EquatableMixin { const BudgetMetadataViewModel({ required this.key, required this.values, }); final BudgetMetadataKeyViewModel key; final List<BudgetMetadataValueViewModel> values; @override List<Object> get props => <Object>[key, values]; }
ovavue/lib/presentation/models/budget_metadata_view_model.dart/0
{'file_path': 'ovavue/lib/presentation/models/budget_metadata_view_model.dart', 'repo_id': 'ovavue', 'token_count': 140}
import 'package:ovavue/domain.dart'; import 'package:registry/registry.dart'; import 'package:riverpod_annotation/riverpod_annotation.dart'; import '../models.dart'; import 'registry_provider.dart'; import 'user_provider.dart'; part 'budget_categories_provider.g.dart'; @Riverpod(dependencies: <Object>[registry, user]) Stream<List<BudgetCategoryViewModel>> budgetCategories(BudgetCategoriesRef ref) async* { final Registry registry = ref.read(registryProvider); final UserEntity user = await ref.watch(userProvider.future); yield* registry .get<FetchBudgetCategoriesUseCase>() .call(user.id) .map((_) => _.map(BudgetCategoryViewModel.fromEntity).toList(growable: false)); }
ovavue/lib/presentation/state/budget_categories_provider.dart/0
{'file_path': 'ovavue/lib/presentation/state/budget_categories_provider.dart', 'repo_id': 'ovavue', 'token_count': 243}
const String kAppFontFamily = 'Poppins';
ovavue/lib/presentation/theme/app_font.dart/0
{'file_path': 'ovavue/lib/presentation/theme/app_font.dart', 'repo_id': 'ovavue', 'token_count': 13}
import 'package:flutter/material.dart'; class LoadingSpinner extends StatelessWidget { LoadingSpinner.circle({super.key, double size = 32, double strokeWidth = 4, this.color}) : size = Size.square(size), child = CircularProgressIndicator.adaptive( valueColor: AlwaysStoppedAnimation<Color?>(color), strokeWidth: strokeWidth, ); final Color? color; final Size size; final Widget child; @override Widget build(BuildContext context) => SizedBox.fromSize(size: size, child: child); }
ovavue/lib/presentation/widgets/loading_spinner.dart/0
{'file_path': 'ovavue/lib/presentation/widgets/loading_spinner.dart', 'repo_id': 'ovavue', 'token_count': 186}
import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:mocktail/mocktail.dart'; import 'package:ovavue/data.dart'; import 'package:ovavue/domain.dart'; import 'package:ovavue/presentation.dart'; import 'package:riverpod/riverpod.dart'; import '../../utils.dart'; Future<void> main() async { tearDown(mockUseCases.reset); group('PreferencesProvider', () { test('should get current state', () { final AccountEntity dummyAccount = AuthMockImpl.generateAccount(); final PreferencesState expectedState = PreferencesState( accountKey: dummyAccount.id, themeMode: ThemeMode.system, ); when(mockUseCases.fetchThemeModeUseCase.call).thenAnswer((_) async => 0); final ProviderContainer container = createProviderContainer( overrides: <Override>[ accountProvider.overrideWith((_) async => dummyAccount), ], ); addTearDown(container.dispose); expect( container.read(preferencesProvider.future), completion(expectedState), ); }); test('should update theme mode', () { when(() => mockUseCases.updateThemeModeUseCase.call(1)).thenAnswer((_) async => true); final ProviderContainer container = createProviderContainer(); addTearDown(container.dispose); expect( container.read(preferencesProvider.notifier).updateThemeMode(ThemeMode.light), completion(true), ); }); }); }
ovavue/test/presentation/state/preferences_provider_test.dart/0
{'file_path': 'ovavue/test/presentation/state/preferences_provider_test.dart', 'repo_id': 'ovavue', 'token_count': 549}
import 'dart:io'; import 'package:example/utils/color.dart'; import 'package:example/utils/vector2.dart'; import 'package:example/utils/rect.dart'; const ESCAPE = '\x1B'; final Terminal terminal = Terminal._(); class Terminal { Rect get viewport => Rect.fromLTWH( 0, 0, stdout.terminalColumns, stdout.terminalLines, ); bool hideCursor = true; late List<String> buffer; Terminal._() { if (!stdout.supportsAnsiEscapes) { throw Exception( 'Sorry only terminals that support ANSI escapes are supported', ); } buffer = [if (hideCursor) _escape('?25l') else _escape('?25h')]; ProcessSignal.sigint.watch().listen((ProcessSignal signal) { clear(); stdout.write(_escape('?25h')); exit(0); }); } final List<Vector2> _positions = [Vector2.zero()]; Vector2 get _position => _positions.last; set _position(Vector2 position) { _positions.last = position; } void translate(int x, int y) { _position = _position.translate(x, y); buffer.add(_escape('${_position.y};${_position.x}H')); } String _escape(String data) => '$ESCAPE[$data'; void draw( String data, { Vector2 position = const Vector2.zero(), Color foregroundColor = Colors.white, Color backgroundColor = Colors.black, }) { position = _position.translate(position.x, position.y); buffer.addAll([ _escape('${position.y + 1};${position.x}H'), _escape('38;2;${foregroundColor.toRGB()}m'), _escape('48;2;${backgroundColor.toRGB()}m'), data, ]); } void clear() => stdout.write('$ESCAPE[2J$ESCAPE[0;0H'); void save() => _positions.add(_position); void restore() => _positions.removeLast(); void render() { for (final line in buffer) { stdout.write(line); } buffer = [if (hideCursor) _escape('?25l') else _escape('?25h')]; _position = Vector2.zero(); } }
oxygen/example/lib/utils/terminal.dart/0
{'file_path': 'oxygen/example/lib/utils/terminal.dart', 'repo_id': 'oxygen', 'token_count': 771}
part of oxygen; /// Manages all registered systems. class SystemManager { /// The world in which this manager lives. final World world; /// All the registered systems. final List<System> _systems = []; UnmodifiableListView<System> get systems => UnmodifiableListView(_systems); final Map<Type, System> _systemsByType = {}; SystemManager(this.world); /// Initialize all the systems that are registered. void init() { for (final system in _systems) { system.init(); } } /// Register a system. /// /// If a given system type has already been added, it will simply return. void registerSystem<T extends System>(T system) { assert(system.world == null, '$T is already registered'); if (_systemsByType.containsKey(system.runtimeType)) { return; } system.world = world; _systems.add(system); _systemsByType[T] = system; _systems.sort((a, b) => a.priority - b.priority); } /// Deregister a previously registered system. /// /// If the given system type is not found, it will simply return. void deregisterSystem(Type systemType) { if (!_systemsByType.containsKey(systemType)) { return; } final system = _systemsByType.remove(systemType); system?.dispose(); _systems.remove(system); _systems.sort((a, b) => a.priority - b.priority); } /// Execute all the systems that are registered. void _execute(double delta) { for (final system in _systems) { system.execute(delta); } } }
oxygen/lib/src/system/system_manager.dart/0
{'file_path': 'oxygen/lib/src/system/system_manager.dart', 'repo_id': 'oxygen', 'token_count': 514}
tasks: - name: prepare tool script: .ci/scripts/prepare_tool.sh infra_step: true # Note infra steps failing prevents "always" from running. - name: create all_packages app script: .ci/scripts/create_all_packages_app.sh infra_step: true # Note infra steps failing prevents "always" from running. - name: build all_packages app for Windows debug script: .ci/scripts/build_all_packages_app.sh args: ["windows", "debug"] - name: build all_packages app for Windows release script: .ci/scripts/build_all_packages_app.sh args: ["windows", "release"]
packages/.ci/targets/windows_build_all_packages.yaml/0
{'file_path': 'packages/.ci/targets/windows_build_all_packages.yaml', 'repo_id': 'packages', 'token_count': 194}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'analyzer.dart'; import 'camera.dart'; import 'camera_control.dart'; import 'camera_info.dart'; import 'camera_selector.dart'; import 'camera_state.dart'; import 'camera_state_error.dart'; import 'camerax_library.g.dart'; import 'device_orientation_manager.dart'; import 'exposure_state.dart'; import 'focus_metering_result.dart'; import 'image_proxy.dart'; import 'java_object.dart'; import 'live_data.dart'; import 'observer.dart'; import 'pending_recording.dart'; import 'plane_proxy.dart'; import 'process_camera_provider.dart'; import 'recorder.dart'; import 'recording.dart'; import 'system_services.dart'; import 'video_capture.dart'; import 'zoom_state.dart'; /// Handles initialization of Flutter APIs for the Android CameraX library. class AndroidCameraXCameraFlutterApis { /// Creates a [AndroidCameraXCameraFlutterApis]. AndroidCameraXCameraFlutterApis( {JavaObjectFlutterApiImpl? javaObjectFlutterApiImpl, CameraFlutterApiImpl? cameraFlutterApiImpl, CameraInfoFlutterApiImpl? cameraInfoFlutterApiImpl, CameraSelectorFlutterApiImpl? cameraSelectorFlutterApiImpl, ProcessCameraProviderFlutterApiImpl? processCameraProviderFlutterApiImpl, SystemServicesFlutterApiImpl? systemServicesFlutterApiImpl, DeviceOrientationManagerFlutterApiImpl? deviceOrientationManagerFlutterApiImpl, CameraStateErrorFlutterApiImpl? cameraStateErrorFlutterApiImpl, CameraStateFlutterApiImpl? cameraStateFlutterApiImpl, PendingRecordingFlutterApiImpl? pendingRecordingFlutterApiImpl, RecordingFlutterApiImpl? recordingFlutterApiImpl, RecorderFlutterApiImpl? recorderFlutterApiImpl, VideoCaptureFlutterApiImpl? videoCaptureFlutterApiImpl, ExposureStateFlutterApiImpl? exposureStateFlutterApiImpl, ZoomStateFlutterApiImpl? zoomStateFlutterApiImpl, LiveDataFlutterApiImpl? liveDataFlutterApiImpl, ObserverFlutterApiImpl? observerFlutterApiImpl, ImageProxyFlutterApiImpl? imageProxyFlutterApiImpl, PlaneProxyFlutterApiImpl? planeProxyFlutterApiImpl, AnalyzerFlutterApiImpl? analyzerFlutterApiImpl, CameraControlFlutterApiImpl? cameraControlFlutterApiImpl, FocusMeteringResultFlutterApiImpl? focusMeteringResultFlutterApiImpl}) { this.javaObjectFlutterApiImpl = javaObjectFlutterApiImpl ?? JavaObjectFlutterApiImpl(); this.cameraInfoFlutterApiImpl = cameraInfoFlutterApiImpl ?? CameraInfoFlutterApiImpl(); this.cameraSelectorFlutterApiImpl = cameraSelectorFlutterApiImpl ?? CameraSelectorFlutterApiImpl(); this.processCameraProviderFlutterApiImpl = processCameraProviderFlutterApiImpl ?? ProcessCameraProviderFlutterApiImpl(); this.cameraFlutterApiImpl = cameraFlutterApiImpl ?? CameraFlutterApiImpl(); this.systemServicesFlutterApiImpl = systemServicesFlutterApiImpl ?? SystemServicesFlutterApiImpl(); this.deviceOrientationManagerFlutterApiImpl = deviceOrientationManagerFlutterApiImpl ?? DeviceOrientationManagerFlutterApiImpl(); this.cameraStateErrorFlutterApiImpl = cameraStateErrorFlutterApiImpl ?? CameraStateErrorFlutterApiImpl(); this.cameraStateFlutterApiImpl = cameraStateFlutterApiImpl ?? CameraStateFlutterApiImpl(); this.pendingRecordingFlutterApiImpl = pendingRecordingFlutterApiImpl ?? PendingRecordingFlutterApiImpl(); this.recordingFlutterApiImpl = recordingFlutterApiImpl ?? RecordingFlutterApiImpl(); this.recorderFlutterApiImpl = recorderFlutterApiImpl ?? RecorderFlutterApiImpl(); this.videoCaptureFlutterApiImpl = videoCaptureFlutterApiImpl ?? VideoCaptureFlutterApiImpl(); this.exposureStateFlutterApiImpl = exposureStateFlutterApiImpl ?? ExposureStateFlutterApiImpl(); this.zoomStateFlutterApiImpl = zoomStateFlutterApiImpl ?? ZoomStateFlutterApiImpl(); this.liveDataFlutterApiImpl = liveDataFlutterApiImpl ?? LiveDataFlutterApiImpl(); this.observerFlutterApiImpl = observerFlutterApiImpl ?? ObserverFlutterApiImpl(); this.analyzerFlutterApiImpl = analyzerFlutterApiImpl ?? AnalyzerFlutterApiImpl(); this.imageProxyFlutterApiImpl = imageProxyFlutterApiImpl ?? ImageProxyFlutterApiImpl(); this.planeProxyFlutterApiImpl = planeProxyFlutterApiImpl ?? PlaneProxyFlutterApiImpl(); this.cameraControlFlutterApiImpl = cameraControlFlutterApiImpl ?? CameraControlFlutterApiImpl(); this.focusMeteringResultFlutterApiImpl = focusMeteringResultFlutterApiImpl ?? FocusMeteringResultFlutterApiImpl(); } static bool _haveBeenSetUp = false; /// Mutable instance containing all Flutter Apis for Android CameraX Camera. /// /// This should only be changed for testing purposes. static AndroidCameraXCameraFlutterApis instance = AndroidCameraXCameraFlutterApis(); /// Handles callbacks methods for the native Java Object class. late final JavaObjectFlutterApi javaObjectFlutterApiImpl; /// Flutter Api implementation for [CameraInfo]. late final CameraInfoFlutterApiImpl cameraInfoFlutterApiImpl; /// Flutter Api implementation for [CameraSelector]. late final CameraSelectorFlutterApiImpl cameraSelectorFlutterApiImpl; /// Flutter Api implementation for [ProcessCameraProvider]. late final ProcessCameraProviderFlutterApiImpl processCameraProviderFlutterApiImpl; /// Flutter Api implementation for [Camera]. late final CameraFlutterApiImpl cameraFlutterApiImpl; /// Flutter Api implementation for [SystemServices]. late final SystemServicesFlutterApiImpl systemServicesFlutterApiImpl; /// Flutter Api implementation for [DeviceOrientationManager]. late final DeviceOrientationManagerFlutterApiImpl deviceOrientationManagerFlutterApiImpl; /// Flutter Api implementation for [CameraStateError]. late final CameraStateErrorFlutterApiImpl? cameraStateErrorFlutterApiImpl; /// Flutter Api implementation for [CameraState]. late final CameraStateFlutterApiImpl? cameraStateFlutterApiImpl; /// Flutter Api implementation for [LiveData]. late final LiveDataFlutterApiImpl? liveDataFlutterApiImpl; /// Flutter Api implementation for [Observer]. late final ObserverFlutterApiImpl? observerFlutterApiImpl; /// Flutter Api for [PendingRecording]. late final PendingRecordingFlutterApiImpl pendingRecordingFlutterApiImpl; /// Flutter Api for [Recording]. late final RecordingFlutterApiImpl recordingFlutterApiImpl; /// Flutter Api for [Recorder]. late final RecorderFlutterApiImpl recorderFlutterApiImpl; /// Flutter Api for [VideoCapture]. late final VideoCaptureFlutterApiImpl videoCaptureFlutterApiImpl; /// Flutter Api for [ExposureState]. late final ExposureStateFlutterApiImpl exposureStateFlutterApiImpl; /// Flutter Api for [ZoomState]. late final ZoomStateFlutterApiImpl zoomStateFlutterApiImpl; /// Flutter Api implementation for [Analyzer]. late final AnalyzerFlutterApiImpl analyzerFlutterApiImpl; /// Flutter Api implementation for [ImageProxy]. late final ImageProxyFlutterApiImpl imageProxyFlutterApiImpl; /// Flutter Api implementation for [PlaneProxy]. late final PlaneProxyFlutterApiImpl planeProxyFlutterApiImpl; /// Flutter Api implementation for [CameraControl]. late final CameraControlFlutterApiImpl cameraControlFlutterApiImpl; /// Flutter Api implementation for [FocusMeteringResult]. late final FocusMeteringResultFlutterApiImpl focusMeteringResultFlutterApiImpl; /// Ensures all the Flutter APIs have been setup to receive calls from native code. void ensureSetUp() { if (!_haveBeenSetUp) { JavaObjectFlutterApi.setup(javaObjectFlutterApiImpl); CameraInfoFlutterApi.setup(cameraInfoFlutterApiImpl); CameraSelectorFlutterApi.setup(cameraSelectorFlutterApiImpl); ProcessCameraProviderFlutterApi.setup( processCameraProviderFlutterApiImpl); CameraFlutterApi.setup(cameraFlutterApiImpl); SystemServicesFlutterApi.setup(systemServicesFlutterApiImpl); DeviceOrientationManagerFlutterApi.setup( deviceOrientationManagerFlutterApiImpl); CameraStateErrorFlutterApi.setup(cameraStateErrorFlutterApiImpl); CameraStateFlutterApi.setup(cameraStateFlutterApiImpl); PendingRecordingFlutterApi.setup(pendingRecordingFlutterApiImpl); RecordingFlutterApi.setup(recordingFlutterApiImpl); RecorderFlutterApi.setup(recorderFlutterApiImpl); VideoCaptureFlutterApi.setup(videoCaptureFlutterApiImpl); ExposureStateFlutterApi.setup(exposureStateFlutterApiImpl); ZoomStateFlutterApi.setup(zoomStateFlutterApiImpl); AnalyzerFlutterApi.setup(analyzerFlutterApiImpl); ImageProxyFlutterApi.setup(imageProxyFlutterApiImpl); PlaneProxyFlutterApi.setup(planeProxyFlutterApiImpl); LiveDataFlutterApi.setup(liveDataFlutterApiImpl); ObserverFlutterApi.setup(observerFlutterApiImpl); CameraControlFlutterApi.setup(cameraControlFlutterApiImpl); FocusMeteringResultFlutterApi.setup(focusMeteringResultFlutterApiImpl); _haveBeenSetUp = true; } } }
packages/packages/camera/camera_android_camerax/lib/src/android_camera_camerax_flutter_api_impls.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/lib/src/android_camera_camerax_flutter_api_impls.dart', 'repo_id': 'packages', 'token_count': 3170}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:meta/meta.dart' show immutable; import 'java_object.dart'; /// Handle onto the raw buffer managed by screen compositor. /// /// See https://developer.android.com/reference/android/view/Surface.html. @immutable class Surface extends JavaObject { /// Creates a detached [Surface]. Surface.detached({super.binaryMessenger, super.instanceManager}) : super.detached(); /// Rotation constant to signify the natural orientation. /// /// See https://developer.android.com/reference/android/view/Surface.html#ROTATION_0. static const int ROTATION_0 = 0; /// Rotation constant to signify a 90 degrees rotation. /// /// See https://developer.android.com/reference/android/view/Surface.html#ROTATION_90. static const int ROTATION_90 = 1; /// Rotation constant to signify a 180 degrees rotation. /// /// See https://developer.android.com/reference/android/view/Surface.html#ROTATION_180. static const int ROTATION_180 = 2; /// Rotation constant to signify a 270 degrees rotation. /// /// See https://developer.android.com/reference/android/view/Surface.html#ROTATION_270. static const int ROTATION_270 = 3; }
packages/packages/camera/camera_android_camerax/lib/src/surface.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/lib/src/surface.dart', 'repo_id': 'packages', 'token_count': 396}
// Mocks generated by Mockito 5.4.4 from annotations // in camera_android_camerax/test/camera_info_test.dart. // Do not manually edit this file. // ignore_for_file: no_leading_underscores_for_library_prefixes import 'dart:async' as _i5; import 'package:camera_android_camerax/src/camera_state.dart' as _i4; import 'package:camera_android_camerax/src/live_data.dart' as _i3; import 'package:camera_android_camerax/src/observer.dart' as _i6; import 'package:camera_android_camerax/src/zoom_state.dart' as _i7; import 'package:mockito/mockito.dart' as _i1; import 'test_camerax_library.g.dart' as _i2; // ignore_for_file: type=lint // ignore_for_file: avoid_redundant_argument_values // ignore_for_file: avoid_setters_without_getters // ignore_for_file: comment_references // ignore_for_file: deprecated_member_use // ignore_for_file: deprecated_member_use_from_same_package // ignore_for_file: implementation_imports // ignore_for_file: invalid_use_of_visible_for_testing_member // ignore_for_file: prefer_const_constructors // ignore_for_file: unnecessary_parenthesis // ignore_for_file: camel_case_types // ignore_for_file: subtype_of_sealed_class /// A class which mocks [TestCameraInfoHostApi]. /// /// See the documentation for Mockito's code generation for more information. class MockTestCameraInfoHostApi extends _i1.Mock implements _i2.TestCameraInfoHostApi { MockTestCameraInfoHostApi() { _i1.throwOnMissingStub(this); } @override int getSensorRotationDegrees(int? identifier) => (super.noSuchMethod( Invocation.method( #getSensorRotationDegrees, [identifier], ), returnValue: 0, ) as int); @override int getCameraState(int? identifier) => (super.noSuchMethod( Invocation.method( #getCameraState, [identifier], ), returnValue: 0, ) as int); @override int getExposureState(int? identifier) => (super.noSuchMethod( Invocation.method( #getExposureState, [identifier], ), returnValue: 0, ) as int); @override int getZoomState(int? identifier) => (super.noSuchMethod( Invocation.method( #getZoomState, [identifier], ), returnValue: 0, ) as int); } /// A class which mocks [TestInstanceManagerHostApi]. /// /// See the documentation for Mockito's code generation for more information. class MockTestInstanceManagerHostApi extends _i1.Mock implements _i2.TestInstanceManagerHostApi { MockTestInstanceManagerHostApi() { _i1.throwOnMissingStub(this); } @override void clear() => super.noSuchMethod( Invocation.method( #clear, [], ), returnValueForMissingStub: null, ); } /// A class which mocks [LiveData]. /// /// See the documentation for Mockito's code generation for more information. // ignore: must_be_immutable class MockLiveCameraState extends _i1.Mock implements _i3.LiveData<_i4.CameraState> { MockLiveCameraState() { _i1.throwOnMissingStub(this); } @override _i5.Future<void> observe(_i6.Observer<_i4.CameraState>? observer) => (super.noSuchMethod( Invocation.method( #observe, [observer], ), returnValue: _i5.Future<void>.value(), returnValueForMissingStub: _i5.Future<void>.value(), ) as _i5.Future<void>); @override _i5.Future<void> removeObservers() => (super.noSuchMethod( Invocation.method( #removeObservers, [], ), returnValue: _i5.Future<void>.value(), returnValueForMissingStub: _i5.Future<void>.value(), ) as _i5.Future<void>); } /// A class which mocks [LiveData]. /// /// See the documentation for Mockito's code generation for more information. // ignore: must_be_immutable class MockLiveZoomState extends _i1.Mock implements _i3.LiveData<_i7.ZoomState> { MockLiveZoomState() { _i1.throwOnMissingStub(this); } @override _i5.Future<void> observe(_i6.Observer<_i7.ZoomState>? observer) => (super.noSuchMethod( Invocation.method( #observe, [observer], ), returnValue: _i5.Future<void>.value(), returnValueForMissingStub: _i5.Future<void>.value(), ) as _i5.Future<void>); @override _i5.Future<void> removeObservers() => (super.noSuchMethod( Invocation.method( #removeObservers, [], ), returnValue: _i5.Future<void>.value(), returnValueForMissingStub: _i5.Future<void>.value(), ) as _i5.Future<void>); }
packages/packages/camera/camera_android_camerax/test/camera_info_test.mocks.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/test/camera_info_test.mocks.dart', 'repo_id': 'packages', 'token_count': 1911}
// Mocks generated by Mockito 5.4.3 from annotations // in camera_android_camerax/test/focus_metering_action_test.dart. // Do not manually edit this file. // ignore_for_file: no_leading_underscores_for_library_prefixes import 'package:camera_android_camerax/src/camerax_library.g.dart' as _i4; import 'package:camera_android_camerax/src/metering_point.dart' as _i2; import 'package:mockito/mockito.dart' as _i1; import 'test_camerax_library.g.dart' as _i3; // ignore_for_file: type=lint // ignore_for_file: avoid_redundant_argument_values // ignore_for_file: avoid_setters_without_getters // ignore_for_file: comment_references // ignore_for_file: deprecated_member_use // ignore_for_file: deprecated_member_use_from_same_package // ignore_for_file: implementation_imports // ignore_for_file: invalid_use_of_visible_for_testing_member // ignore_for_file: prefer_const_constructors // ignore_for_file: unnecessary_parenthesis // ignore_for_file: camel_case_types // ignore_for_file: subtype_of_sealed_class /// A class which mocks [MeteringPoint]. /// /// See the documentation for Mockito's code generation for more information. // ignore: must_be_immutable class MockMeteringPoint extends _i1.Mock implements _i2.MeteringPoint { MockMeteringPoint() { _i1.throwOnMissingStub(this); } @override double get x => (super.noSuchMethod( Invocation.getter(#x), returnValue: 0.0, ) as double); @override double get y => (super.noSuchMethod( Invocation.getter(#y), returnValue: 0.0, ) as double); } /// A class which mocks [TestFocusMeteringActionHostApi]. /// /// See the documentation for Mockito's code generation for more information. class MockTestFocusMeteringActionHostApi extends _i1.Mock implements _i3.TestFocusMeteringActionHostApi { MockTestFocusMeteringActionHostApi() { _i1.throwOnMissingStub(this); } @override void create( int? identifier, List<_i4.MeteringPointInfo?>? meteringPointInfos, ) => super.noSuchMethod( Invocation.method( #create, [ identifier, meteringPointInfos, ], ), returnValueForMissingStub: null, ); } /// A class which mocks [TestInstanceManagerHostApi]. /// /// See the documentation for Mockito's code generation for more information. class MockTestInstanceManagerHostApi extends _i1.Mock implements _i3.TestInstanceManagerHostApi { MockTestInstanceManagerHostApi() { _i1.throwOnMissingStub(this); } @override void clear() => super.noSuchMethod( Invocation.method( #clear, [], ), returnValueForMissingStub: null, ); }
packages/packages/camera/camera_android_camerax/test/focus_metering_action_test.mocks.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/test/focus_metering_action_test.mocks.dart', 'repo_id': 'packages', 'token_count': 1025}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:camera_android_camerax/src/camerax_library.g.dart'; import 'package:camera_android_camerax/src/instance_manager.dart'; import 'package:camera_android_camerax/src/pending_recording.dart'; import 'package:camera_android_camerax/src/recording.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:mockito/annotations.dart'; import 'package:mockito/mockito.dart'; import 'pending_recording_test.mocks.dart'; import 'test_camerax_library.g.dart'; @GenerateMocks( <Type>[TestPendingRecordingHostApi, TestInstanceManagerHostApi, Recording]) void main() { TestWidgetsFlutterBinding.ensureInitialized(); // Mocks the call to clear the native InstanceManager. TestInstanceManagerHostApi.setup(MockTestInstanceManagerHostApi()); test('start calls start on the Java side', () async { final MockTestPendingRecordingHostApi mockApi = MockTestPendingRecordingHostApi(); TestPendingRecordingHostApi.setup(mockApi); final InstanceManager instanceManager = InstanceManager( onWeakReferenceRemoved: (_) {}, ); final PendingRecording pendingRecording = PendingRecording.detached(instanceManager: instanceManager); const int pendingRecordingId = 2; instanceManager.addHostCreatedInstance(pendingRecording, pendingRecordingId, onCopy: (_) => PendingRecording.detached(instanceManager: instanceManager)); final Recording mockRecording = MockRecording(); const int mockRecordingId = 3; instanceManager.addHostCreatedInstance(mockRecording, mockRecordingId, onCopy: (_) => Recording.detached(instanceManager: instanceManager)); when(mockApi.start(pendingRecordingId)).thenReturn(mockRecordingId); expect(await pendingRecording.start(), mockRecording); verify(mockApi.start(pendingRecordingId)); }); test('flutterApiCreateTest', () async { final InstanceManager instanceManager = InstanceManager( onWeakReferenceRemoved: (_) {}, ); final PendingRecordingFlutterApi flutterApi = PendingRecordingFlutterApiImpl( instanceManager: instanceManager, ); flutterApi.create(0); expect(instanceManager.getInstanceWithWeakReference(0), isA<PendingRecording>()); }); }
packages/packages/camera/camera_android_camerax/test/pending_recording_test.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/test/pending_recording_test.dart', 'repo_id': 'packages', 'token_count': 818}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:ui'; import 'package:camera_android_camerax/src/camerax_library.g.dart'; import 'package:camera_android_camerax/src/instance_manager.dart'; import 'package:camera_android_camerax/src/resolution_strategy.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:mockito/annotations.dart'; import 'package:mockito/mockito.dart'; import 'resolution_strategy_test.mocks.dart'; import 'test_camerax_library.g.dart'; @GenerateMocks(<Type>[ TestResolutionStrategyHostApi, TestInstanceManagerHostApi, ]) void main() { TestWidgetsFlutterBinding.ensureInitialized(); group('ResolutionStrategy', () { tearDown(() { TestResolutionStrategyHostApi.setup(null); TestInstanceManagerHostApi.setup(null); }); test( 'detached resolutionStrategy constructors do not make call to Host API create', () { final MockTestResolutionStrategyHostApi mockApi = MockTestResolutionStrategyHostApi(); TestResolutionStrategyHostApi.setup(mockApi); TestInstanceManagerHostApi.setup(MockTestInstanceManagerHostApi()); final InstanceManager instanceManager = InstanceManager( onWeakReferenceRemoved: (_) {}, ); const Size boundSize = Size(70, 20); const int fallbackRule = 1; ResolutionStrategy.detached( boundSize: boundSize, fallbackRule: fallbackRule, instanceManager: instanceManager, ); verifyNever(mockApi.create( argThat(isA<int>()), argThat(isA<ResolutionInfo>() .having((ResolutionInfo size) => size.width, 'width', 50) .having((ResolutionInfo size) => size.height, 'height', 30)), fallbackRule, )); ResolutionStrategy.detachedHighestAvailableStrategy( instanceManager: instanceManager, ); verifyNever(mockApi.create( argThat(isA<int>()), null, null, )); }); test('HostApi create creates expected ResolutionStrategies', () { final MockTestResolutionStrategyHostApi mockApi = MockTestResolutionStrategyHostApi(); TestResolutionStrategyHostApi.setup(mockApi); TestInstanceManagerHostApi.setup(MockTestInstanceManagerHostApi()); final InstanceManager instanceManager = InstanceManager( onWeakReferenceRemoved: (_) {}, ); const Size boundSize = Size(50, 30); const int fallbackRule = 0; final ResolutionStrategy instance = ResolutionStrategy( boundSize: boundSize, fallbackRule: fallbackRule, instanceManager: instanceManager, ); verify(mockApi.create( instanceManager.getIdentifier(instance), argThat(isA<ResolutionInfo>() .having((ResolutionInfo size) => size.width, 'width', 50) .having((ResolutionInfo size) => size.height, 'height', 30)), fallbackRule, )); final ResolutionStrategy highestAvailableInstance = ResolutionStrategy.highestAvailableStrategy( instanceManager: instanceManager, ); verify(mockApi.create( instanceManager.getIdentifier(highestAvailableInstance), null, null, )); }); }); }
packages/packages/camera/camera_android_camerax/test/resolution_strategy_test.dart/0
{'file_path': 'packages/packages/camera/camera_android_camerax/test/resolution_strategy_test.dart', 'repo_id': 'packages', 'token_count': 1317}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:camera_platform_interface/camera_platform_interface.dart'; import 'package:flutter_test/flutter_test.dart'; void main() { TestWidgetsFlutterBinding.ensureInitialized(); group('CameraLensDirection tests', () { test('CameraLensDirection should contain 3 options', () { const List<CameraLensDirection> values = CameraLensDirection.values; expect(values.length, 3); }); test('CameraLensDirection enum should have items in correct index', () { const List<CameraLensDirection> values = CameraLensDirection.values; expect(values[0], CameraLensDirection.front); expect(values[1], CameraLensDirection.back); expect(values[2], CameraLensDirection.external); }); }); group('CameraDescription tests', () { test('Constructor should initialize all properties', () { const CameraDescription description = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); expect(description.name, 'Test'); expect(description.lensDirection, CameraLensDirection.front); expect(description.sensorOrientation, 90); }); test('equals should return true if objects are the same', () { const CameraDescription firstDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); const CameraDescription secondDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); expect(firstDescription == secondDescription, true); }); test('equals should return false if name is different', () { const CameraDescription firstDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); const CameraDescription secondDescription = CameraDescription( name: 'Testing', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); expect(firstDescription == secondDescription, false); }); test('equals should return false if lens direction is different', () { const CameraDescription firstDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); const CameraDescription secondDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.back, sensorOrientation: 90, ); expect(firstDescription == secondDescription, false); }); test('equals should return true if sensor orientation is different', () { const CameraDescription firstDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 0, ); const CameraDescription secondDescription = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 90, ); expect(firstDescription == secondDescription, true); }); test('hashCode should match hashCode of all equality-tested properties', () { const CameraDescription description = CameraDescription( name: 'Test', lensDirection: CameraLensDirection.front, sensorOrientation: 0, ); final int expectedHashCode = Object.hash(description.name, description.lensDirection); expect(description.hashCode, expectedHashCode); }); }); }
packages/packages/camera/camera_platform_interface/test/types/camera_description_test.dart/0
{'file_path': 'packages/packages/camera/camera_platform_interface/test/types/camera_description_test.dart', 'repo_id': 'packages', 'token_count': 1305}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:html'; import 'package:camera_web/src/types/types.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:integration_test/integration_test.dart'; import 'helpers/helpers.dart'; void main() { IntegrationTestWidgetsFlutterBinding.ensureInitialized(); group('CameraErrorCode', () { group('toString returns a correct type for', () { testWidgets('notSupported', (WidgetTester tester) async { expect( CameraErrorCode.notSupported.toString(), equals('cameraNotSupported'), ); }); testWidgets('notFound', (WidgetTester tester) async { expect( CameraErrorCode.notFound.toString(), equals('cameraNotFound'), ); }); testWidgets('notReadable', (WidgetTester tester) async { expect( CameraErrorCode.notReadable.toString(), equals('cameraNotReadable'), ); }); testWidgets('overconstrained', (WidgetTester tester) async { expect( CameraErrorCode.overconstrained.toString(), equals('cameraOverconstrained'), ); }); testWidgets('permissionDenied', (WidgetTester tester) async { expect( CameraErrorCode.permissionDenied.toString(), equals('CameraAccessDenied'), ); }); testWidgets('type', (WidgetTester tester) async { expect( CameraErrorCode.type.toString(), equals('cameraType'), ); }); testWidgets('abort', (WidgetTester tester) async { expect( CameraErrorCode.abort.toString(), equals('cameraAbort'), ); }); testWidgets('security', (WidgetTester tester) async { expect( CameraErrorCode.security.toString(), equals('cameraSecurity'), ); }); testWidgets('missingMetadata', (WidgetTester tester) async { expect( CameraErrorCode.missingMetadata.toString(), equals('cameraMissingMetadata'), ); }); testWidgets('orientationNotSupported', (WidgetTester tester) async { expect( CameraErrorCode.orientationNotSupported.toString(), equals('orientationNotSupported'), ); }); testWidgets('torchModeNotSupported', (WidgetTester tester) async { expect( CameraErrorCode.torchModeNotSupported.toString(), equals('torchModeNotSupported'), ); }); testWidgets('zoomLevelNotSupported', (WidgetTester tester) async { expect( CameraErrorCode.zoomLevelNotSupported.toString(), equals('zoomLevelNotSupported'), ); }); testWidgets('zoomLevelInvalid', (WidgetTester tester) async { expect( CameraErrorCode.zoomLevelInvalid.toString(), equals('zoomLevelInvalid'), ); }); testWidgets('notStarted', (WidgetTester tester) async { expect( CameraErrorCode.notStarted.toString(), equals('cameraNotStarted'), ); }); testWidgets('videoRecordingNotStarted', (WidgetTester tester) async { expect( CameraErrorCode.videoRecordingNotStarted.toString(), equals('videoRecordingNotStarted'), ); }); testWidgets('unknown', (WidgetTester tester) async { expect( CameraErrorCode.unknown.toString(), equals('cameraUnknown'), ); }); group('fromMediaError', () { testWidgets('with aborted error code', (WidgetTester tester) async { expect( CameraErrorCode.fromMediaError( FakeMediaError(MediaError.MEDIA_ERR_ABORTED), ).toString(), equals('mediaErrorAborted'), ); }); testWidgets('with network error code', (WidgetTester tester) async { expect( CameraErrorCode.fromMediaError( FakeMediaError(MediaError.MEDIA_ERR_NETWORK), ).toString(), equals('mediaErrorNetwork'), ); }); testWidgets('with decode error code', (WidgetTester tester) async { expect( CameraErrorCode.fromMediaError( FakeMediaError(MediaError.MEDIA_ERR_DECODE), ).toString(), equals('mediaErrorDecode'), ); }); testWidgets('with source not supported error code', (WidgetTester tester) async { expect( CameraErrorCode.fromMediaError( FakeMediaError(MediaError.MEDIA_ERR_SRC_NOT_SUPPORTED), ).toString(), equals('mediaErrorSourceNotSupported'), ); }); testWidgets('with unknown error code', (WidgetTester tester) async { expect( CameraErrorCode.fromMediaError( FakeMediaError(5), ).toString(), equals('mediaErrorUnknown'), ); }); }); }); }); }
packages/packages/camera/camera_web/example/integration_test/camera_error_code_test.dart/0
{'file_path': 'packages/packages/camera/camera_web/example/integration_test/camera_error_code_test.dart', 'repo_id': 'packages', 'token_count': 2335}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. @TestOn('chrome') // Uses web-only Flutter SDK library; import 'dart:convert'; import 'dart:js_interop'; import 'dart:typed_data'; import 'package:cross_file/cross_file.dart'; import 'package:test/test.dart'; import 'package:web/helpers.dart' as html; const String expectedStringContents = 'Hello, world! I ❤ ñ! 空手'; final Uint8List bytes = Uint8List.fromList(utf8.encode(expectedStringContents)); final html.File textFile = html.File(<JSUint8Array>[bytes.toJS].toJS, 'hello.txt'); final String textFileUrl = // TODO(kevmoo): drop ignore when pkg:web constraint excludes v0.3 // ignore: unnecessary_cast html.URL.createObjectURL(textFile as JSObject); void main() { group('Create with an objectUrl', () { final XFile file = XFile(textFileUrl); test('Can be read as a string', () async { expect(await file.readAsString(), equals(expectedStringContents)); }); test('Can be read as bytes', () async { expect(await file.readAsBytes(), equals(bytes)); }); test('Can be read as a stream', () async { expect(await file.openRead().first, equals(bytes)); }); test('Stream can be sliced', () async { expect(await file.openRead(2, 5).first, equals(bytes.sublist(2, 5))); }); }); group('Create from data', () { final XFile file = XFile.fromData(bytes); test('Can be read as a string', () async { expect(await file.readAsString(), equals(expectedStringContents)); }); test('Can be read as bytes', () async { expect(await file.readAsBytes(), equals(bytes)); }); test('Can be read as a stream', () async { expect(await file.openRead().first, equals(bytes)); }); test('Stream can be sliced', () async { expect(await file.openRead(2, 5).first, equals(bytes.sublist(2, 5))); }); }); group('Blob backend', () { final XFile file = XFile(textFileUrl); test('Stores data as a Blob', () async { // Read the blob from its path 'natively' final html.Response response = (await html.window.fetch(file.path.toJS).toDart)! as html.Response; final JSAny? arrayBuffer = await response.arrayBuffer().toDart; final ByteBuffer data = (arrayBuffer! as JSArrayBuffer).toDart; expect(data.asUint8List(), equals(bytes)); }); test('Data may be purged from the blob!', () async { html.URL.revokeObjectURL(file.path); expect(() async { await file.readAsBytes(); }, throwsException); }); }); group('saveTo(..)', () { const String crossFileDomElementId = '__x_file_dom_element'; group('CrossFile saveTo(..)', () { test('creates a DOM container', () async { final XFile file = XFile.fromData(bytes); await file.saveTo(''); final html.Element? container = html.querySelector('#$crossFileDomElementId'); expect(container, isNotNull); }); test('create anchor element', () async { final XFile file = XFile.fromData(bytes, name: textFile.name); await file.saveTo('path'); final html.Element container = html.querySelector('#$crossFileDomElementId')!; late html.HTMLAnchorElement element; for (int i = 0; i < container.childNodes.length; i++) { final html.Element test = container.children.item(i)!; if (test.tagName == 'A') { element = test as html.HTMLAnchorElement; break; } } // if element is not found, the `firstWhere` call will throw StateError. expect(element.href, file.path); expect(element.download, file.name); }); test('anchor element is clicked', () async { final html.HTMLAnchorElement mockAnchor = html.document.createElement('a') as html.HTMLAnchorElement; final CrossFileTestOverrides overrides = CrossFileTestOverrides( createAnchorElement: (_, __) => mockAnchor, ); final XFile file = XFile.fromData(bytes, name: textFile.name, overrides: overrides); bool clicked = false; mockAnchor.onClick.listen((html.MouseEvent event) => clicked = true); await file.saveTo('path'); expect(clicked, true); }); }); }); }
packages/packages/cross_file/test/x_file_html_test.dart/0
{'file_path': 'packages/packages/cross_file/test/x_file_html_test.dart', 'repo_id': 'packages', 'token_count': 1718}
name: example description: A new Flutter project. publish_to: 'none' version: 1.0.0+1 environment: sdk: ">=3.0.0 <4.0.0" dependencies: cupertino_icons: ^1.0.5 dynamic_layouts: path: ../ flutter: sdk: flutter dev_dependencies: flutter_lints: ^2.0.0 flutter_test: sdk: flutter flutter: uses-material-design: true
packages/packages/dynamic_layouts/example/pubspec.yaml/0
{'file_path': 'packages/packages/dynamic_layouts/example/pubspec.yaml', 'repo_id': 'packages', 'token_count': 157}
name: dynamic_layouts description: Widgets for building dynamic grid layouts. version: 0.0.1+1 issue_tracker: https://github.com/flutter/flutter/labels/p%3A%20dynamic_layouts repository: https://github.com/flutter/packages/tree/main/packages/dynamic_layouts # Temporarily unpublished while in process of releasing full package in multiple stages. publish_to: none environment: sdk: ">=3.0.0 <4.0.0" flutter: ">=3.10.0" dependencies: flutter: sdk: flutter dev_dependencies: flutter_test: sdk: flutter
packages/packages/dynamic_layouts/pubspec.yaml/0
{'file_path': 'packages/packages/dynamic_layouts/pubspec.yaml', 'repo_id': 'packages', 'token_count': 191}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:file_selector_android/file_selector_android.dart'; import 'package:file_selector_platform_interface/file_selector_platform_interface.dart'; import 'package:flutter/material.dart'; import 'package:flutter_driver/driver_extension.dart'; import 'home_page.dart'; import 'open_image_page.dart'; import 'open_multiple_images_page.dart'; import 'open_text_page.dart'; /// Entry point for integration tests that require espresso. @pragma('vm:entry-point') void integrationTestMain() { enableFlutterDriverExtension(); main(); } void main() { FileSelectorPlatform.instance = FileSelectorAndroid(); runApp(const MyApp()); } /// MyApp is the Main Application. class MyApp extends StatelessWidget { /// Default Constructor const MyApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp( title: 'File Selector Demo', theme: ThemeData( primarySwatch: Colors.blue, visualDensity: VisualDensity.adaptivePlatformDensity, ), home: const HomePage(), routes: <String, WidgetBuilder>{ '/open/image': (BuildContext context) => const OpenImagePage(), '/open/images': (BuildContext context) => const OpenMultipleImagesPage(), '/open/text': (BuildContext context) => const OpenTextPage(), }, ); } }
packages/packages/file_selector/file_selector_android/example/lib/main.dart/0
{'file_path': 'packages/packages/file_selector/file_selector_android/example/lib/main.dart', 'repo_id': 'packages', 'token_count': 506}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/foundation.dart' show immutable; /// A set of allowed XTypes. @immutable class XTypeGroup { /// Creates a new group with the given label and file extensions. /// /// A group with none of the type options provided indicates that any type is /// allowed. const XTypeGroup({ this.label, List<String>? extensions, this.mimeTypes, List<String>? uniformTypeIdentifiers, this.webWildCards, @Deprecated('Use uniformTypeIdentifiers instead') List<String>? macUTIs, }) : _extensions = extensions, assert(uniformTypeIdentifiers == null || macUTIs == null, 'Only one of uniformTypeIdentifiers or macUTIs can be non-null'), uniformTypeIdentifiers = uniformTypeIdentifiers ?? macUTIs; /// The 'name' or reference to this group of types. final String? label; /// The MIME types for this group. final List<String>? mimeTypes; /// The uniform type identifiers for this group final List<String>? uniformTypeIdentifiers; /// The web wild cards for this group (ex: image/*, video/*). final List<String>? webWildCards; final List<String>? _extensions; /// The extensions for this group. List<String>? get extensions { return _removeLeadingDots(_extensions); } /// Converts this object into a JSON formatted object. Map<String, dynamic> toJSON() { return <String, dynamic>{ 'label': label, 'extensions': extensions, 'mimeTypes': mimeTypes, 'uniformTypeIdentifiers': uniformTypeIdentifiers, 'webWildCards': webWildCards, // This is kept for backwards compatibility with anything that was // relying on it, including implementers of `MethodChannelFileSelector` // (since toJSON is used in the method channel parameter serialization). 'macUTIs': uniformTypeIdentifiers, }; } /// True if this type group should allow any file. bool get allowsAny { return (extensions?.isEmpty ?? true) && (mimeTypes?.isEmpty ?? true) && (uniformTypeIdentifiers?.isEmpty ?? true) && (webWildCards?.isEmpty ?? true); } /// Returns the list of uniform type identifiers for this group @Deprecated('Use uniformTypeIdentifiers instead') List<String>? get macUTIs => uniformTypeIdentifiers; static List<String>? _removeLeadingDots(List<String>? exts) => exts ?.map((String ext) => ext.startsWith('.') ? ext.substring(1) : ext) .toList(); }
packages/packages/file_selector/file_selector_platform_interface/lib/src/types/x_type_group.dart/0
{'file_path': 'packages/packages/file_selector/file_selector_platform_interface/lib/src/types/x_type_group.dart', 'repo_id': 'packages', 'token_count': 847}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; const Set<TargetPlatform> _desktop = <TargetPlatform>{ TargetPlatform.linux, TargetPlatform.macOS, TargetPlatform.windows }; const Set<TargetPlatform> _mobile = <TargetPlatform>{ TargetPlatform.android, TargetPlatform.fuchsia, TargetPlatform.iOS, }; /// A group of standard breakpoints built according to the material /// specifications for screen width size. /// /// See also: /// /// * [AdaptiveScaffold], which uses some of these Breakpoints as defaults. class Breakpoints { /// This is a standard breakpoint that can be used as a fallthrough in the /// case that no other breakpoint is active. /// /// It is active from a width of -1 dp to infinity. static const Breakpoint standard = WidthPlatformBreakpoint(begin: -1); /// A window whose width is less than 600 dp and greater than 0 dp. static const Breakpoint small = WidthPlatformBreakpoint(begin: 0, end: 600); /// A window whose width is greater than 0 dp. static const Breakpoint smallAndUp = WidthPlatformBreakpoint(begin: 0); /// A desktop screen whose width is less than 600 dp and greater than 0 dp. static const Breakpoint smallDesktop = WidthPlatformBreakpoint(begin: 0, end: 600, platform: _desktop); /// A mobile screen whose width is less than 600 dp and greater than 0 dp. static const Breakpoint smallMobile = WidthPlatformBreakpoint(begin: 0, end: 600, platform: _mobile); /// A window whose width is between 600 dp and 840 dp. static const Breakpoint medium = WidthPlatformBreakpoint(begin: 600, end: 840); /// A window whose width is greater than 600 dp. static const Breakpoint mediumAndUp = WidthPlatformBreakpoint(begin: 600); /// A desktop window whose width is between 600 dp and 840 dp. static const Breakpoint mediumDesktop = WidthPlatformBreakpoint(begin: 600, end: 840, platform: _desktop); /// A mobile window whose width is between 600 dp and 840 dp. static const Breakpoint mediumMobile = WidthPlatformBreakpoint(begin: 600, end: 840, platform: _mobile); /// A window whose width is greater than 840 dp. static const Breakpoint large = WidthPlatformBreakpoint(begin: 840); /// A desktop window whose width is greater than 840 dp. static const Breakpoint largeDesktop = WidthPlatformBreakpoint(begin: 840, platform: _desktop); /// A mobile window whose width is greater than 840 dp. static const Breakpoint largeMobile = WidthPlatformBreakpoint(begin: 840, platform: _mobile); } /// A class that can be used to quickly generate [Breakpoint]s that depend on /// the screen width and the platform. class WidthPlatformBreakpoint extends Breakpoint { /// Returns a const [Breakpoint] with the given constraints. const WidthPlatformBreakpoint({this.begin, this.end, this.platform}); /// The beginning width dp value. If left null then the [Breakpoint] will have /// no lower bound. final double? begin; /// The end width dp value. If left null then the [Breakpoint] will have no /// upper bound. final double? end; /// A Set of [TargetPlatform]s that the [Breakpoint] will be active on. If /// left null then it will be active on all platforms. final Set<TargetPlatform>? platform; @override bool isActive(BuildContext context) { final TargetPlatform host = Theme.of(context).platform; final bool isRightPlatform = platform?.contains(host) ?? true; // Null boundaries are unbounded, assign the max/min of their associated // direction on a number line. final double width = MediaQuery.of(context).size.width; final double lowerBound = begin ?? double.negativeInfinity; final double upperBound = end ?? double.infinity; return width >= lowerBound && width < upperBound && isRightPlatform; } } /// An interface to define the conditions that distinguish between types of /// screens. /// /// Adaptive apps usually display differently depending on the screen type: a /// compact layout for smaller screens, or a relaxed layout for larger screens. /// Override this class by defining `isActive` to fetch the screen property /// (usually `MediaQuery.of`) and return true if the condition is met. /// /// Breakpoints do not need to be exclusive because they are tested in order /// with the last Breakpoint active taking priority. /// /// If the condition is only based on the screen width and/or the device type, /// use [WidthPlatformBreakpoint] to define the [Breakpoint]. /// /// See also: /// /// * [SlotLayout.config], which uses breakpoints to dictate the layout of the /// screen. abstract class Breakpoint { /// Returns a const [Breakpoint]. const Breakpoint(); /// A method that returns true based on conditions related to the context of /// the screen such as MediaQuery.of(context).size.width. bool isActive(BuildContext context); }
packages/packages/flutter_adaptive_scaffold/lib/src/breakpoints.dart/0
{'file_path': 'packages/packages/flutter_adaptive_scaffold/lib/src/breakpoints.dart', 'repo_id': 'packages', 'token_count': 1354}
name: flutter_markdown_example description: Demonstrates how to use the flutter_markdown package. publish_to: none environment: sdk: ">=3.0.0 <4.0.0" flutter: ">=3.10.0" dependencies: flutter: sdk: flutter flutter_markdown: path: ../ markdown: ^7.0.0 dev_dependencies: flutter_test: sdk: flutter flutter: assets: - assets/ fonts: - family: 'Roboto Mono' fonts: - asset: fonts/RobotoMono-Regular.ttf uses-material-design: true
packages/packages/flutter_markdown/example/pubspec.yaml/0
{'file_path': 'packages/packages/flutter_markdown/example/pubspec.yaml', 'repo_id': 'packages', 'token_count': 212}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/cupertino.dart'; import 'package:flutter/material.dart'; import 'package:flutter_markdown/flutter_markdown.dart'; import 'package:flutter_test/flutter_test.dart'; import 'utils.dart'; void main() => defineTests(); void defineTests() { group('Padding builders', () { testWidgets( 'use paddingBuilders for p', (WidgetTester tester) async { const double paddingX = 10.0; await tester.pumpWidget( boilerplate( Markdown( data: '**line 1**\n\n# H1\n![alt](/assets/images/logo.png)', paddingBuilders: <String, MarkdownPaddingBuilder>{ 'p': CustomPaddingBuilder(paddingX * 1), 'strong': CustomPaddingBuilder(paddingX * 2), 'h1': CustomPaddingBuilder(paddingX * 3), 'img': CustomPaddingBuilder(paddingX * 4), }), ), ); final List<Padding> paddings = tester.widgetList<Padding>(find.byType(Padding)).toList(); expect(paddings.length, 4); expect( paddings[0].padding.along(Axis.horizontal) == paddingX * 1 * 2, true, ); expect( paddings[1].padding.along(Axis.horizontal) == paddingX * 3 * 2, true, ); expect( paddings[2].padding.along(Axis.horizontal) == paddingX * 1 * 2, true, ); expect( paddings[3].padding.along(Axis.horizontal) == paddingX * 4 * 2, true, ); }, ); }); } class CustomPaddingBuilder extends MarkdownPaddingBuilder { CustomPaddingBuilder(this.paddingX); double paddingX; @override EdgeInsets getPadding() { return EdgeInsets.symmetric(horizontal: paddingX); } }
packages/packages/flutter_markdown/test/padding_test.dart/0
{'file_path': 'packages/packages/flutter_markdown/test/padding_test.dart', 'repo_id': 'packages', 'token_count': 894}
test_on: vm
packages/packages/flutter_migrate/dart_test.yaml/0
{'file_path': 'packages/packages/flutter_migrate/dart_test.yaml', 'repo_id': 'packages', 'token_count': 6}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; import 'package:go_router/go_router.dart'; import 'package:url_launcher/link.dart'; import '../auth.dart'; /// The settings screen. class SettingsScreen extends StatefulWidget { /// Creates a [SettingsScreen]. const SettingsScreen({super.key}); @override State<SettingsScreen> createState() => _SettingsScreenState(); } class _SettingsScreenState extends State<SettingsScreen> { @override Widget build(BuildContext context) => Scaffold( body: SafeArea( child: SingleChildScrollView( child: Align( alignment: Alignment.topCenter, child: ConstrainedBox( constraints: const BoxConstraints(maxWidth: 400), child: const Card( child: Padding( padding: EdgeInsets.symmetric(vertical: 18, horizontal: 12), child: SettingsContent(), ), ), ), ), ), ), ); } /// The content of a [SettingsScreen]. class SettingsContent extends StatelessWidget { /// Creates a [SettingsContent]. const SettingsContent({ super.key, }); @override Widget build(BuildContext context) => Column( children: <Widget>[ ...<Widget>[ Text( 'Settings', style: Theme.of(context).textTheme.headlineMedium, ), ElevatedButton( onPressed: () { BookstoreAuthScope.of(context).signOut(); }, child: const Text('Sign out'), ), Link( uri: Uri.parse('/book/0'), builder: (BuildContext context, FollowLink? followLink) => TextButton( onPressed: followLink, child: const Text('Go directly to /book/0 (Link)'), ), ), TextButton( onPressed: () { context.go('/book/0'); }, child: const Text('Go directly to /book/0 (GoRouter)'), ), ].map<Widget>((Widget w) => Padding(padding: const EdgeInsets.all(8), child: w)), TextButton( onPressed: () => showDialog<String>( context: context, builder: (BuildContext context) => AlertDialog( title: const Text('Alert!'), content: const Text('The alert description goes here.'), actions: <Widget>[ TextButton( onPressed: () => Navigator.pop(context, 'Cancel'), child: const Text('Cancel'), ), TextButton( onPressed: () => Navigator.pop(context, 'OK'), child: const Text('OK'), ), ], ), ), child: const Text('Show Dialog'), ) ], ); }
packages/packages/go_router/example/lib/books/src/screens/settings.dart/0
{'file_path': 'packages/packages/go_router/example/lib/books/src/screens/settings.dart', 'repo_id': 'packages', 'token_count': 1589}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; import 'package:go_router/go_router.dart'; void main() => runApp( const RootRestorationScope(restorationId: 'root', child: App()), ); /// The main app. class App extends StatefulWidget { /// Creates an [App]. const App({super.key}); /// The title of the app. static const String title = 'GoRouter Example: State Restoration'; @override State<App> createState() => _AppState(); } class _AppState extends State<App> with RestorationMixin { @override String get restorationId => 'wrapper'; @override void restoreState(RestorationBucket? oldBucket, bool initialRestore) { // Implement restoreState for your app } @override Widget build(BuildContext context) => MaterialApp.router( routerConfig: _router, title: App.title, restorationScopeId: 'app', ); final GoRouter _router = GoRouter( routes: <GoRoute>[ // restorationId set for the route automatically GoRoute( path: '/', builder: (BuildContext context, GoRouterState state) => const Page1Screen(), ), // restorationId set for the route automatically GoRoute( path: '/page2', builder: (BuildContext context, GoRouterState state) => const Page2Screen(), ), ], restorationScopeId: 'router', ); } /// The screen of the first page. class Page1Screen extends StatelessWidget { /// Creates a [Page1Screen]. const Page1Screen({super.key}); @override Widget build(BuildContext context) => Scaffold( appBar: AppBar(title: const Text(App.title)), body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ ElevatedButton( onPressed: () => context.go('/page2'), child: const Text('Go to page 2'), ), ], ), ), ); } /// The screen of the second page. class Page2Screen extends StatelessWidget { /// Creates a [Page2Screen]. const Page2Screen({super.key}); @override Widget build(BuildContext context) => Scaffold( appBar: AppBar(title: const Text(App.title)), body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ ElevatedButton( onPressed: () => context.go('/'), child: const Text('Go to home page'), ), ], ), ), ); }
packages/packages/go_router/example/lib/others/state_restoration.dart/0
{'file_path': 'packages/packages/go_router/example/lib/others/state_restoration.dart', 'repo_id': 'packages', 'token_count': 1112}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/widgets.dart'; import '../router.dart'; /// Dart extension to add navigation function to a BuildContext object, e.g. /// context.go('/'); extension GoRouterHelper on BuildContext { /// Get a location from route name and parameters. /// /// This method can't be called during redirects. String namedLocation( String name, { Map<String, String> pathParameters = const <String, String>{}, Map<String, dynamic> queryParameters = const <String, dynamic>{}, }) => GoRouter.of(this).namedLocation(name, pathParameters: pathParameters, queryParameters: queryParameters); /// Navigate to a location. void go(String location, {Object? extra}) => GoRouter.of(this).go(location, extra: extra); /// Navigate to a named route. void goNamed( String name, { Map<String, String> pathParameters = const <String, String>{}, Map<String, dynamic> queryParameters = const <String, dynamic>{}, Object? extra, }) => GoRouter.of(this).goNamed( name, pathParameters: pathParameters, queryParameters: queryParameters, extra: extra, ); /// Push a location onto the page stack. /// /// See also: /// * [pushReplacement] which replaces the top-most page of the page stack and /// always uses a new page key. /// * [replace] which replaces the top-most page of the page stack but treats /// it as the same page. The page key will be reused. This will preserve the /// state and not run any page animation. Future<T?> push<T extends Object?>(String location, {Object? extra}) => GoRouter.of(this).push<T>(location, extra: extra); /// Navigate to a named route onto the page stack. Future<T?> pushNamed<T extends Object?>( String name, { Map<String, String> pathParameters = const <String, String>{}, Map<String, dynamic> queryParameters = const <String, dynamic>{}, Object? extra, }) => GoRouter.of(this).pushNamed<T>( name, pathParameters: pathParameters, queryParameters: queryParameters, extra: extra, ); /// Returns `true` if there is more than 1 page on the stack. bool canPop() => GoRouter.of(this).canPop(); /// Pop the top page off the Navigator's page stack by calling /// [Navigator.pop]. void pop<T extends Object?>([T? result]) => GoRouter.of(this).pop(result); /// Replaces the top-most page of the page stack with the given URL location /// w/ optional query parameters, e.g. `/family/f2/person/p1?color=blue`. /// /// See also: /// * [go] which navigates to the location. /// * [push] which pushes the given location onto the page stack. /// * [replace] which replaces the top-most page of the page stack but treats /// it as the same page. The page key will be reused. This will preserve the /// state and not run any page animation. void pushReplacement(String location, {Object? extra}) => GoRouter.of(this).pushReplacement(location, extra: extra); /// Replaces the top-most page of the page stack with the named route w/ /// optional parameters, e.g. `name='person', pathParameters={'fid': 'f2', 'pid': /// 'p1'}`. /// /// See also: /// * [goNamed] which navigates a named route. /// * [pushNamed] which pushes a named route onto the page stack. void pushReplacementNamed( String name, { Map<String, String> pathParameters = const <String, String>{}, Map<String, dynamic> queryParameters = const <String, dynamic>{}, Object? extra, }) => GoRouter.of(this).pushReplacementNamed( name, pathParameters: pathParameters, queryParameters: queryParameters, extra: extra, ); /// Replaces the top-most page of the page stack with the given one but treats /// it as the same page. /// /// The page key will be reused. This will preserve the state and not run any /// page animation. /// /// See also: /// * [push] which pushes the given location onto the page stack. /// * [pushReplacement] which replaces the top-most page of the page stack but /// always uses a new page key. void replace(String location, {Object? extra}) => GoRouter.of(this).replace<Object?>(location, extra: extra); /// Replaces the top-most page with the named route and optional parameters, /// preserving the page key. /// /// This will preserve the state and not run any page animation. Optional /// parameters can be provided to the named route, e.g. `name='person', /// pathParameters={'fid': 'f2', 'pid': 'p1'}`. /// /// See also: /// * [pushNamed] which pushes the given location onto the page stack. /// * [pushReplacementNamed] which replaces the top-most page of the page /// stack but always uses a new page key. void replaceNamed( String name, { Map<String, String> pathParameters = const <String, String>{}, Map<String, dynamic> queryParameters = const <String, dynamic>{}, Object? extra, }) => GoRouter.of(this).replaceNamed<Object?>(name, pathParameters: pathParameters, queryParameters: queryParameters, extra: extra); }
packages/packages/go_router/lib/src/misc/extensions.dart/0
{'file_path': 'packages/packages/go_router/lib/src/misc/extensions.dart', 'repo_id': 'packages', 'token_count': 1726}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:go_router/go_router.dart'; void main() { testWidgets('CustomTransitionPage builds its child using transitionsBuilder', (WidgetTester tester) async { const HomeScreen child = HomeScreen(); final CustomTransitionPage<void> transition = CustomTransitionPage<void>( transitionsBuilder: expectAsync4((_, __, ___, Widget child) => child), child: child, ); final GoRouter router = GoRouter( routes: <GoRoute>[ GoRoute( path: '/', pageBuilder: (_, __) => transition, ), ], ); await tester.pumpWidget( MaterialApp.router( routerConfig: router, title: 'GoRouter Example', ), ); expect(find.byWidget(child), findsOneWidget); }); testWidgets('NoTransitionPage does not apply any transition', (WidgetTester tester) async { final ValueNotifier<bool> showHomeValueNotifier = ValueNotifier<bool>(false); await tester.pumpWidget( MaterialApp( home: ValueListenableBuilder<bool>( valueListenable: showHomeValueNotifier, builder: (_, bool showHome, __) { return Navigator( pages: <Page<void>>[ const NoTransitionPage<void>( child: LoginScreen(), ), if (showHome) const NoTransitionPage<void>( child: HomeScreen(), ), ], onPopPage: (Route<dynamic> route, dynamic result) { return route.didPop(result); }, ); }, ), ), ); final Finder homeScreenFinder = find.byType(HomeScreen); expect(homeScreenFinder, findsNothing); showHomeValueNotifier.value = true; await tester.pump(); expect(homeScreenFinder, findsOneWidget); await tester.pumpAndSettle(); showHomeValueNotifier.value = false; await tester.pump(); expect(homeScreenFinder, findsNothing); await tester.pumpAndSettle(); }); testWidgets('NoTransitionPage does not apply any reverse transition', (WidgetTester tester) async { final ValueNotifier<bool> showHomeValueNotifier = ValueNotifier<bool>(true); await tester.pumpWidget( MaterialApp( home: ValueListenableBuilder<bool>( valueListenable: showHomeValueNotifier, builder: (_, bool showHome, __) { return Navigator( pages: <Page<void>>[ const NoTransitionPage<void>( child: LoginScreen(), ), if (showHome) const NoTransitionPage<void>( child: HomeScreen(), ), ], onPopPage: (Route<dynamic> route, dynamic result) { return route.didPop(result); }, ); }, ), ), ); final Finder homeScreenFinder = find.byType(HomeScreen); showHomeValueNotifier.value = false; await tester.pump(); expect(homeScreenFinder, findsNothing); }); testWidgets('Dismiss a screen by tapping a modal barrier', (WidgetTester tester) async { const ValueKey<String> homeKey = ValueKey<String>('home'); const ValueKey<String> dismissibleModalKey = ValueKey<String>('dismissibleModal'); final GoRouter router = GoRouter( routes: <GoRoute>[ GoRoute( path: '/', builder: (_, __) => const HomeScreen(key: homeKey), ), GoRoute( path: '/dismissible-modal', pageBuilder: (_, GoRouterState state) => CustomTransitionPage<void>( key: state.pageKey, barrierDismissible: true, transitionsBuilder: (_, __, ___, Widget child) => child, child: const DismissibleModal(key: dismissibleModalKey), ), ), ], ); await tester.pumpWidget(MaterialApp.router(routerConfig: router)); expect(find.byKey(homeKey), findsOneWidget); router.push('/dismissible-modal'); await tester.pumpAndSettle(); expect(find.byKey(dismissibleModalKey), findsOneWidget); await tester.tapAt(const Offset(50, 50)); await tester.pumpAndSettle(); expect(find.byKey(homeKey), findsOneWidget); }); testWidgets('transitionDuration and reverseTransitionDuration is different', (WidgetTester tester) async { const ValueKey<String> homeKey = ValueKey<String>('home'); const ValueKey<String> loginKey = ValueKey<String>('login'); const Duration transitionDuration = Duration(milliseconds: 50); const Duration reverseTransitionDuration = Duration(milliseconds: 500); final GoRouter router = GoRouter( routes: <GoRoute>[ GoRoute( path: '/', builder: (_, __) => const HomeScreen(key: homeKey), ), GoRoute( path: '/login', pageBuilder: (_, GoRouterState state) => CustomTransitionPage<void>( key: state.pageKey, transitionDuration: transitionDuration, reverseTransitionDuration: reverseTransitionDuration, transitionsBuilder: (_, Animation<double> animation, ___, Widget child) => FadeTransition(opacity: animation, child: child), child: const LoginScreen(key: loginKey), ), ), ], ); await tester.pumpWidget(MaterialApp.router(routerConfig: router)); expect(find.byKey(homeKey), findsOneWidget); router.push('/login'); final int pushingPumped = await tester.pumpAndSettle(); expect(find.byKey(loginKey), findsOneWidget); router.pop(); final int poppingPumped = await tester.pumpAndSettle(); expect(find.byKey(homeKey), findsOneWidget); expect(pushingPumped != poppingPumped, true); }); } class HomeScreen extends StatelessWidget { const HomeScreen({super.key}); @override Widget build(BuildContext context) { return const Scaffold( body: Center( child: Text('HomeScreen'), ), ); } } class LoginScreen extends StatelessWidget { const LoginScreen({super.key}); @override Widget build(BuildContext context) { return const Scaffold( body: Center( child: Text('LoginScreen'), ), ); } } class DismissibleModal extends StatelessWidget { const DismissibleModal({super.key}); @override Widget build(BuildContext context) { return const SizedBox( width: 200, height: 200, child: Center(child: Text('Dismissible Modal')), ); } }
packages/packages/go_router/test/custom_transition_page_test.dart/0
{'file_path': 'packages/packages/go_router/test/custom_transition_page_test.dart', 'repo_id': 'packages', 'token_count': 2912}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/cupertino.dart'; import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:go_router/src/pages/material.dart'; import 'helpers/error_screen_helpers.dart'; void main() { group('isMaterialApp', () { testWidgets('returns [true] when MaterialApp is present', (WidgetTester tester) async { final GlobalKey<_DummyStatefulWidgetState> key = GlobalKey<_DummyStatefulWidgetState>(); await tester.pumpWidget( MaterialApp( home: DummyStatefulWidget(key: key), ), ); final bool isMaterial = isMaterialApp(key.currentContext! as Element); expect(isMaterial, true); }); testWidgets('returns [false] when CupertinoApp is present', (WidgetTester tester) async { final GlobalKey<_DummyStatefulWidgetState> key = GlobalKey<_DummyStatefulWidgetState>(); await tester.pumpWidget( CupertinoApp( home: DummyStatefulWidget(key: key), ), ); final bool isMaterial = isMaterialApp(key.currentContext! as Element); expect(isMaterial, false); }); }); test('pageBuilderForMaterialApp creates a [MaterialPage] accordingly', () { final UniqueKey key = UniqueKey(); const String name = 'name'; const String arguments = 'arguments'; const String restorationId = 'restorationId'; const DummyStatefulWidget child = DummyStatefulWidget(); final MaterialPage<void> page = pageBuilderForMaterialApp( key: key, name: name, arguments: arguments, restorationId: restorationId, child: child, ); expect(page.key, key); expect(page.name, name); expect(page.arguments, arguments); expect(page.restorationId, restorationId); expect(page.child, child); }); group('GoRouterMaterialErrorScreen', () { testWidgets( 'shows "page not found" by default', testPageNotFound( widget: const MaterialApp( home: MaterialErrorScreen(null), ), ), ); final Exception exception = Exception('Something went wrong!'); testWidgets( 'shows the exception message when provided', testPageShowsExceptionMessage( exception: exception, widget: MaterialApp( home: MaterialErrorScreen(exception), ), ), ); testWidgets( 'clicking the TextButton should redirect to /', testClickingTheButtonRedirectsToRoot( buttonFinder: find.byType(TextButton), widget: const MaterialApp( home: MaterialErrorScreen(null), ), ), ); }); } class DummyStatefulWidget extends StatefulWidget { const DummyStatefulWidget({super.key}); @override State<DummyStatefulWidget> createState() => _DummyStatefulWidgetState(); } class _DummyStatefulWidgetState extends State<DummyStatefulWidget> { @override Widget build(BuildContext context) => Container(); }
packages/packages/go_router/test/material_test.dart/0
{'file_path': 'packages/packages/go_router/test/material_test.dart', 'repo_id': 'packages', 'token_count': 1175}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: public_member_api_docs import 'dart:math'; import 'package:flutter/foundation.dart'; enum PersonDetails { hobbies, favoriteFood, favoriteSport, } enum SportDetails { volleyball( imageUrl: '/sportdetails/url/volleyball.jpg', playerPerTeam: 6, accessory: null, hasNet: true, ), football( imageUrl: '/sportdetails/url/Football.jpg', playerPerTeam: 11, accessory: null, hasNet: true, ), tennis( imageUrl: '/sportdetails/url/tennis.jpg', playerPerTeam: 2, accessory: 'Rackets', hasNet: true, ), hockey( imageUrl: '/sportdetails/url/hockey.jpg', playerPerTeam: 6, accessory: 'Hockey sticks', hasNet: true, ), ; const SportDetails({ required this.accessory, required this.hasNet, required this.imageUrl, required this.playerPerTeam, }); final String imageUrl; final int playerPerTeam; final String? accessory; final bool hasNet; } /// An enum used only in iterables. enum CookingRecipe { burger, pizza, tacos, } /// sample Person class class Person { Person({ required this.id, required this.name, required this.age, this.details = const <PersonDetails, String>{}, }); final int id; final String name; final int age; final Map<PersonDetails, String> details; } class Family { Family({required this.id, required this.name, required this.people}); final String id; final String name; final List<Person> people; Person person(int pid) => people.singleWhere( (Person p) => p.id == pid, orElse: () => throw Exception('unknown person $pid for family $id'), ); } final List<Family> familyData = <Family>[ Family( id: 'f1', name: 'Sells', people: <Person>[ Person(id: 1, name: 'Chris', age: 52, details: <PersonDetails, String>{ PersonDetails.hobbies: 'coding', PersonDetails.favoriteFood: 'all of the above', PersonDetails.favoriteSport: 'football?' }), Person(id: 2, name: 'John', age: 27), Person(id: 3, name: 'Tom', age: 26), ], ), Family( id: 'f2', name: 'Addams', people: <Person>[ Person(id: 1, name: 'Gomez', age: 55), Person(id: 2, name: 'Morticia', age: 50), Person(id: 3, name: 'Pugsley', age: 10), Person(id: 4, name: 'Wednesday', age: 17), ], ), Family( id: 'f3', name: 'Hunting', people: <Person>[ Person(id: 1, name: 'Mom', age: 54), Person(id: 2, name: 'Dad', age: 55), Person(id: 3, name: 'Will', age: 20), Person(id: 4, name: 'Marky', age: 21), Person(id: 5, name: 'Ricky', age: 22), Person(id: 6, name: 'Danny', age: 23), Person(id: 7, name: 'Terry', age: 24), Person(id: 8, name: 'Mikey', age: 25), Person(id: 9, name: 'Davey', age: 26), Person(id: 10, name: 'Timmy', age: 27), Person(id: 11, name: 'Tommy', age: 28), Person(id: 12, name: 'Joey', age: 29), Person(id: 13, name: 'Robby', age: 30), Person(id: 14, name: 'Johnny', age: 31), Person(id: 15, name: 'Brian', age: 32), ], ), ]; Family familyById(String fid) => familyData.family(fid); extension on List<Family> { Family family(String fid) => singleWhere( (Family f) => f.id == fid, orElse: () => throw Exception('unknown family $fid'), ); } class LoginInfo extends ChangeNotifier { String _userName = ''; String get userName => _userName; bool get loggedIn => _userName.isNotEmpty; void login(String userName) { _userName = userName; notifyListeners(); } void logout() { _userName = ''; notifyListeners(); } } class FamilyPerson { FamilyPerson({required this.family, required this.person}); final Family family; final Person person; } class Repository { static final Random rnd = Random(); Future<List<Family>> getFamilies() async { // simulate network delay await Future<void>.delayed(const Duration(seconds: 1)); // simulate error // if (rnd.nextBool()) throw Exception('error fetching families'); // return data "fetched over the network" return familyData; } Future<Family> getFamily(String fid) async => (await getFamilies()).family(fid); Future<FamilyPerson> getPerson(String fid, int pid) async { final Family family = await getFamily(fid); return FamilyPerson(family: family, person: family.person(pid)); } }
packages/packages/go_router_builder/example/lib/shared/data.dart/0
{'file_path': 'packages/packages/go_router_builder/example/lib/shared/data.dart', 'repo_id': 'packages', 'token_count': 1764}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // the following ignore is needed for downgraded analyzer (casts to JSObject). // ignore_for_file: unnecessary_cast import 'dart:async'; import 'dart:js_interop'; import 'dart:js_interop_unsafe'; import 'package:flutter_test/flutter_test.dart'; import 'package:google_identity_services_web/id.dart'; import 'package:google_identity_services_web/oauth2.dart'; import 'package:web/web.dart' as web; /// Function that lets us expect that a JSObject has a [name] property that matches [matcher]. /// /// Use [createExpectConfigValue] to create one of this functions associated with /// a specific [JSObject]. typedef ExpectConfigValueFn = void Function(String name, Object? matcher); /// Creates a [ExpectConfigValueFn] for the `config` [JSObject]. ExpectConfigValueFn createExpectConfigValue(JSObject config) { return (String name, Object? matcher) { expect(config[name], matcher, reason: name); }; } /// A matcher that checks if: value typeof [thing] == true (in JS). /// /// See: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/typeof Matcher isAJs(String thing) => isA<JSAny?>() .having((JSAny? p0) => p0.typeofEquals(thing), 'typeof "$thing"', isTrue); /// Installs mock-gis.js in the page. /// Returns a future that completes when the 'load' event of the script fires. Future<void> installGisMock() { final Completer<void> completer = Completer<void>(); final web.HTMLScriptElement script = web.document.createElement('script') as web.HTMLScriptElement; script.src = 'mock-gis.js'; script.type = 'module'; script.addEventListener( 'load', (JSAny? _) { completer.complete(); }.toJS); web.document.head!.appendChild(script); return completer.future; } /// Fakes authorization with the given scopes. Future<TokenResponse> fakeAuthZWithScopes(List<String> scopes) { final StreamController<TokenResponse> controller = StreamController<TokenResponse>(); final TokenClient client = oauth2.initTokenClient(TokenClientConfig( client_id: 'for-tests', callback: controller.add, scope: scopes, )); setMockTokenResponse(client, 'some-non-null-auth-token-value'); client.requestAccessToken(); return controller.stream.first; } /// Allows calling a `setMockTokenResponse` method (added by mock-gis.js) extension on TokenClient { external void setMockTokenResponse(JSString? token); } /// Sets a mock TokenResponse value in a [client]. void setMockTokenResponse(TokenClient client, [String? authToken]) { client.setMockTokenResponse(authToken?.toJS); } /// Allows calling a `setMockCredentialResponse` method (set by mock-gis.js) extension on GoogleAccountsId { external void setMockCredentialResponse( JSString credential, JSString select_by, //ignore: non_constant_identifier_names ); } /// Sets a mock credential response in `google.accounts.id`. void setMockCredentialResponse([String value = 'default_value']) { _getGoogleAccountsId().setMockCredentialResponse(value.toJS, 'auto'.toJS); } GoogleAccountsId _getGoogleAccountsId() { return _getDeepProperty<GoogleAccountsId>( web.window as JSObject, 'google.accounts.id'); } // Attempts to retrieve a deeply nested property from a jsObject (or die tryin') T _getDeepProperty<T>(JSObject jsObject, String deepProperty) { final List<String> properties = deepProperty.split('.'); return properties.fold<JSObject?>( jsObject, (JSObject? jsObj, String prop) => jsObj?[prop] as JSObject?, ) as T; }
packages/packages/google_identity_services_web/example/integration_test/utils.dart/0
{'file_path': 'packages/packages/google_identity_services_web/example/integration_test/utils.dart', 'repo_id': 'packages', 'token_count': 1194}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // This file contains shared definitions used across multiple test scenarios. import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:google_maps_flutter/google_maps_flutter.dart'; /// Initial map center const LatLng kInitialMapCenter = LatLng(0, 0); /// Initial zoom level const double kInitialZoomLevel = 5; /// Initial camera position const CameraPosition kInitialCameraPosition = CameraPosition(target: kInitialMapCenter, zoom: kInitialZoomLevel); // Dummy map ID const String kCloudMapId = '000000000000000'; // Dummy map ID. /// True if the test is running in an iOS device final bool isIOS = defaultTargetPlatform == TargetPlatform.iOS; /// True if the test is running in an Android device final bool isAndroid = defaultTargetPlatform == TargetPlatform.android && !kIsWeb; /// True if the test is running in a web browser. const bool isWeb = kIsWeb; /// Pumps a [map] widget in [tester] of a certain [size], then waits until it settles. Future<void> pumpMap(WidgetTester tester, GoogleMap map, [Size size = const Size.square(200)]) async { await tester.pumpWidget(wrapMap(map, size)); await tester.pumpAndSettle(); } /// Wraps a [map] in a bunch of widgets so it renders in all platforms. /// /// An optional [size] can be passed. Widget wrapMap(GoogleMap map, [Size size = const Size.square(200)]) { return MaterialApp( home: Scaffold( body: Center( child: SizedBox.fromSize( size: size, child: map, ), ), ), ); }
packages/packages/google_maps_flutter/google_maps_flutter/example/integration_test/src/shared.dart/0
{'file_path': 'packages/packages/google_maps_flutter/google_maps_flutter/example/integration_test/src/shared.dart', 'repo_id': 'packages', 'token_count': 562}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/foundation.dart' show immutable, objectRuntimeType; /// Represents a point coordinate in the [GoogleMap]'s view. /// /// The screen location is specified in screen pixels (not display pixels) relative /// to the top left of the map, not top left of the whole screen. (x, y) = (0, 0) /// corresponds to top-left of the [GoogleMap] not the whole screen. @immutable class ScreenCoordinate { /// Creates an immutable representation of a point coordinate in the [GoogleMap]'s view. const ScreenCoordinate({ required this.x, required this.y, }); /// Represents the number of pixels from the left of the [GoogleMap]. final int x; /// Represents the number of pixels from the top of the [GoogleMap]. final int y; /// Converts this object to something serializable in JSON. Object toJson() { return <String, int>{ 'x': x, 'y': y, }; } @override String toString() => '${objectRuntimeType(this, 'ScreenCoordinate')}($x, $y)'; @override bool operator ==(Object other) { return other is ScreenCoordinate && other.x == x && other.y == y; } @override int get hashCode => Object.hash(x, y); }
packages/packages/google_maps_flutter/google_maps_flutter_platform_interface/lib/src/types/screen_coordinate.dart/0
{'file_path': 'packages/packages/google_maps_flutter/google_maps_flutter_platform_interface/lib/src/types/screen_coordinate.dart', 'repo_id': 'packages', 'token_count': 410}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:pigeon/pigeon.dart'; @ConfigurePigeon(PigeonOptions( dartOut: 'lib/src/messages.g.dart', javaOut: 'android/src/main/java/io/flutter/plugins/googlesignin/Messages.java', javaOptions: JavaOptions(package: 'io.flutter.plugins.googlesignin'), copyrightHeader: 'pigeons/copyright.txt', )) /// Pigeon version of SignInOption. enum SignInType { /// Default configuration. standard, /// Recommended configuration for game sign in. games, } /// Pigeon version of SignInInitParams. /// /// See SignInInitParams for details. class InitParams { /// The parameters to use when initializing the sign in process. const InitParams({ this.scopes = const <String>[], this.signInType = SignInType.standard, this.hostedDomain, this.clientId, this.serverClientId, this.forceCodeForRefreshToken = false, }); // TODO(stuartmorgan): Make the generic type non-nullable once supported. // https://github.com/flutter/flutter/issues/97848 // The Java code treats the values as non-nullable. final List<String?> scopes; final SignInType signInType; final String? hostedDomain; final String? clientId; final String? serverClientId; final bool forceCodeForRefreshToken; } /// Pigeon version of GoogleSignInUserData. /// /// See GoogleSignInUserData for details. class UserData { UserData({ required this.email, required this.id, this.displayName, this.photoUrl, this.idToken, this.serverAuthCode, }); final String? displayName; final String email; final String id; final String? photoUrl; final String? idToken; final String? serverAuthCode; } @HostApi() abstract class GoogleSignInApi { /// Initializes a sign in request with the given parameters. void init(InitParams params); /// Starts a silent sign in. @async UserData signInSilently(); /// Starts a sign in with user interaction. @async UserData signIn(); /// Requests the access token for the current sign in. @async String getAccessToken(String email, bool shouldRecoverAuth); /// Signs out the current user. @async void signOut(); /// Revokes scope grants to the application. @async void disconnect(); /// Returns whether the user is currently signed in. bool isSignedIn(); /// Clears the authentication caching for the given token, requiring a /// new sign in. @async void clearAuthCache(String token); /// Requests access to the given scopes. @async bool requestScopes(List<String> scopes); }
packages/packages/google_sign_in/google_sign_in_android/pigeons/messages.dart/0
{'file_path': 'packages/packages/google_sign_in/google_sign_in_android/pigeons/messages.dart', 'repo_id': 'packages', 'token_count': 855}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:async'; import 'package:flutter/foundation.dart'; import 'package:flutter/services.dart'; import '../../image_picker_platform_interface.dart'; const MethodChannel _channel = MethodChannel('plugins.flutter.io/image_picker'); /// An implementation of [ImagePickerPlatform] that uses method channels. class MethodChannelImagePicker extends ImagePickerPlatform { /// The MethodChannel that is being used by this implementation of the plugin. @visibleForTesting MethodChannel get channel => _channel; @override Future<PickedFile?> pickImage({ required ImageSource source, double? maxWidth, double? maxHeight, int? imageQuality, CameraDevice preferredCameraDevice = CameraDevice.rear, }) async { final String? path = await _getImagePath( source: source, maxWidth: maxWidth, maxHeight: maxHeight, imageQuality: imageQuality, preferredCameraDevice: preferredCameraDevice, ); return path != null ? PickedFile(path) : null; } @override Future<List<PickedFile>?> pickMultiImage({ double? maxWidth, double? maxHeight, int? imageQuality, }) async { final List<dynamic>? paths = await _getMultiImagePath( maxWidth: maxWidth, maxHeight: maxHeight, imageQuality: imageQuality, ); if (paths == null) { return null; } return paths.map((dynamic path) => PickedFile(path as String)).toList(); } Future<List<dynamic>?> _getMultiImagePath({ double? maxWidth, double? maxHeight, int? imageQuality, bool requestFullMetadata = true, }) { if (imageQuality != null && (imageQuality < 0 || imageQuality > 100)) { throw ArgumentError.value( imageQuality, 'imageQuality', 'must be between 0 and 100'); } if (maxWidth != null && maxWidth < 0) { throw ArgumentError.value(maxWidth, 'maxWidth', 'cannot be negative'); } if (maxHeight != null && maxHeight < 0) { throw ArgumentError.value(maxHeight, 'maxHeight', 'cannot be negative'); } return _channel.invokeMethod<List<dynamic>?>( 'pickMultiImage', <String, dynamic>{ 'maxWidth': maxWidth, 'maxHeight': maxHeight, 'imageQuality': imageQuality, 'requestFullMetadata': requestFullMetadata, }, ); } Future<String?> _getImagePath({ required ImageSource source, double? maxWidth, double? maxHeight, int? imageQuality, CameraDevice preferredCameraDevice = CameraDevice.rear, bool requestFullMetadata = true, }) { if (imageQuality != null && (imageQuality < 0 || imageQuality > 100)) { throw ArgumentError.value( imageQuality, 'imageQuality', 'must be between 0 and 100'); } if (maxWidth != null && maxWidth < 0) { throw ArgumentError.value(maxWidth, 'maxWidth', 'cannot be negative'); } if (maxHeight != null && maxHeight < 0) { throw ArgumentError.value(maxHeight, 'maxHeight', 'cannot be negative'); } return _channel.invokeMethod<String>( 'pickImage', <String, dynamic>{ 'source': source.index, 'maxWidth': maxWidth, 'maxHeight': maxHeight, 'imageQuality': imageQuality, 'cameraDevice': preferredCameraDevice.index, 'requestFullMetadata': requestFullMetadata, }, ); } @override Future<PickedFile?> pickVideo({ required ImageSource source, CameraDevice preferredCameraDevice = CameraDevice.rear, Duration? maxDuration, }) async { final String? path = await _getVideoPath( source: source, maxDuration: maxDuration, preferredCameraDevice: preferredCameraDevice, ); return path != null ? PickedFile(path) : null; } Future<String?> _getVideoPath({ required ImageSource source, CameraDevice preferredCameraDevice = CameraDevice.rear, Duration? maxDuration, }) { return _channel.invokeMethod<String>( 'pickVideo', <String, dynamic>{ 'source': source.index, 'maxDuration': maxDuration?.inSeconds, 'cameraDevice': preferredCameraDevice.index }, ); } @override Future<LostData> retrieveLostData() async { final Map<String, dynamic>? result = await _channel.invokeMapMethod<String, dynamic>('retrieve'); if (result == null) { return LostData.empty(); } assert(result.containsKey('path') != result.containsKey('errorCode')); final String? type = result['type'] as String?; assert(type == kTypeImage || type == kTypeVideo); RetrieveType? retrieveType; if (type == kTypeImage) { retrieveType = RetrieveType.image; } else if (type == kTypeVideo) { retrieveType = RetrieveType.video; } PlatformException? exception; if (result.containsKey('errorCode')) { exception = PlatformException( code: result['errorCode']! as String, message: result['errorMessage'] as String?); } final String? path = result['path'] as String?; return LostData( file: path != null ? PickedFile(path) : null, exception: exception, type: retrieveType, ); } @override Future<XFile?> getImage({ required ImageSource source, double? maxWidth, double? maxHeight, int? imageQuality, CameraDevice preferredCameraDevice = CameraDevice.rear, }) async { final String? path = await _getImagePath( source: source, maxWidth: maxWidth, maxHeight: maxHeight, imageQuality: imageQuality, preferredCameraDevice: preferredCameraDevice, ); return path != null ? XFile(path) : null; } @override Future<XFile?> getImageFromSource({ required ImageSource source, ImagePickerOptions options = const ImagePickerOptions(), }) async { final String? path = await _getImagePath( source: source, maxHeight: options.maxHeight, maxWidth: options.maxWidth, imageQuality: options.imageQuality, preferredCameraDevice: options.preferredCameraDevice, requestFullMetadata: options.requestFullMetadata, ); return path != null ? XFile(path) : null; } @override Future<List<XFile>?> getMultiImage({ double? maxWidth, double? maxHeight, int? imageQuality, }) async { final List<dynamic>? paths = await _getMultiImagePath( maxWidth: maxWidth, maxHeight: maxHeight, imageQuality: imageQuality, ); if (paths == null) { return null; } return paths.map((dynamic path) => XFile(path as String)).toList(); } @override Future<List<XFile>> getMultiImageWithOptions({ MultiImagePickerOptions options = const MultiImagePickerOptions(), }) async { final List<dynamic>? paths = await _getMultiImagePath( maxWidth: options.imageOptions.maxWidth, maxHeight: options.imageOptions.maxHeight, imageQuality: options.imageOptions.imageQuality, requestFullMetadata: options.imageOptions.requestFullMetadata, ); if (paths == null) { return <XFile>[]; } return paths.map((dynamic path) => XFile(path as String)).toList(); } @override Future<List<XFile>> getMedia({ required MediaOptions options, }) async { final ImageOptions imageOptions = options.imageOptions; final Map<String, dynamic> args = <String, dynamic>{ 'maxImageWidth': imageOptions.maxWidth, 'maxImageHeight': imageOptions.maxHeight, 'imageQuality': imageOptions.imageQuality, 'allowMultiple': options.allowMultiple, }; final List<XFile>? paths = await _channel .invokeMethod<List<dynamic>?>( 'pickMedia', args, ) .then((List<dynamic>? paths) => paths?.map((dynamic path) => XFile(path as String)).toList()); return paths ?? <XFile>[]; } @override Future<XFile?> getVideo({ required ImageSource source, CameraDevice preferredCameraDevice = CameraDevice.rear, Duration? maxDuration, }) async { final String? path = await _getVideoPath( source: source, maxDuration: maxDuration, preferredCameraDevice: preferredCameraDevice, ); return path != null ? XFile(path) : null; } @override Future<LostDataResponse> getLostData() async { List<XFile>? pickedFileList; final Map<String, dynamic>? result = await _channel.invokeMapMethod<String, dynamic>('retrieve'); if (result == null) { return LostDataResponse.empty(); } assert(result.containsKey('path') != result.containsKey('errorCode')); final String? type = result['type'] as String?; assert( type == kTypeImage || type == kTypeVideo || type == kTypeMedia, ); RetrieveType? retrieveType; switch (type) { case kTypeImage: retrieveType = RetrieveType.image; case kTypeVideo: retrieveType = RetrieveType.video; case kTypeMedia: retrieveType = RetrieveType.media; } PlatformException? exception; if (result.containsKey('errorCode')) { exception = PlatformException( code: result['errorCode']! as String, message: result['errorMessage'] as String?); } final String? path = result['path'] as String?; final List<String>? pathList = (result['pathList'] as List<dynamic>?)?.cast<String>(); if (pathList != null) { pickedFileList = <XFile>[]; for (final String path in pathList) { pickedFileList.add(XFile(path)); } } return LostDataResponse( file: path != null ? XFile(path) : null, exception: exception, type: retrieveType, files: pickedFileList, ); } }
packages/packages/image_picker/image_picker_platform_interface/lib/src/method_channel/method_channel_image_picker.dart/0
{'file_path': 'packages/packages/image_picker/image_picker_platform_interface/lib/src/method_channel/method_channel_image_picker.dart', 'repo_id': 'packages', 'token_count': 3599}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. /// The type of the retrieved data in a [LostDataResponse]. enum RetrieveType { /// A static picture. See [ImagePicker.pickImage]. image, /// A video. See [ImagePicker.pickVideo]. video, /// Either a video or a static picture. See [ImagePicker.pickMedia]. media, }
packages/packages/image_picker/image_picker_platform_interface/lib/src/types/retrieve_type.dart/0
{'file_path': 'packages/packages/image_picker/image_picker_platform_interface/lib/src/types/retrieve_type.dart', 'repo_id': 'packages', 'token_count': 128}
// GENERATED CODE - DO NOT MODIFY BY HAND part of 'one_time_purchase_offer_details_wrapper.dart'; // ************************************************************************** // JsonSerializableGenerator // ************************************************************************** OneTimePurchaseOfferDetailsWrapper _$OneTimePurchaseOfferDetailsWrapperFromJson( Map json) => OneTimePurchaseOfferDetailsWrapper( formattedPrice: json['formattedPrice'] as String? ?? '', priceAmountMicros: json['priceAmountMicros'] as int? ?? 0, priceCurrencyCode: json['priceCurrencyCode'] as String? ?? '', );
packages/packages/in_app_purchase/in_app_purchase_android/lib/src/billing_client_wrappers/one_time_purchase_offer_details_wrapper.g.dart/0
{'file_path': 'packages/packages/in_app_purchase/in_app_purchase_android/lib/src/billing_client_wrappers/one_time_purchase_offer_details_wrapper.g.dart', 'repo_id': 'packages', 'token_count': 180}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // Exception codes for `PlatformException` returned by // `authenticate`. /// Indicates that the user has not yet configured a passcode (iOS) or /// PIN/pattern/password (Android) on the device. const String passcodeNotSet = 'PasscodeNotSet'; /// Indicates the user has not enrolled any biometrics on the device. const String notEnrolled = 'NotEnrolled'; /// Indicates the device does not have hardware support for biometrics. const String notAvailable = 'NotAvailable'; /// Indicates the device operating system is unsupported. const String otherOperatingSystem = 'OtherOperatingSystem'; /// Indicates the API is temporarily locked out due to too many attempts. const String lockedOut = 'LockedOut'; /// Indicates the API is locked out more persistently than [lockedOut]. /// Strong authentication like PIN/Pattern/Password is required to unlock. const String permanentlyLockedOut = 'PermanentlyLockedOut'; /// Indicates that the biometricOnly parameter can't be true on Windows const String biometricOnlyNotSupported = 'biometricOnlyNotSupported';
packages/packages/local_auth/local_auth/lib/error_codes.dart/0
{'file_path': 'packages/packages/local_auth/local_auth/lib/error_codes.dart', 'repo_id': 'packages', 'token_count': 299}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/services.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:local_auth_android/local_auth_android.dart'; import 'package:local_auth_android/src/messages.g.dart'; import 'package:local_auth_platform_interface/local_auth_platform_interface.dart'; import 'package:mockito/annotations.dart'; import 'package:mockito/mockito.dart'; import 'local_auth_test.mocks.dart'; @GenerateMocks(<Type>[LocalAuthApi]) void main() { late MockLocalAuthApi api; late LocalAuthAndroid plugin; setUp(() { api = MockLocalAuthApi(); plugin = LocalAuthAndroid(api: api); }); test('registers instance', () { LocalAuthAndroid.registerWith(); expect(LocalAuthPlatform.instance, isA<LocalAuthAndroid>()); }); group('deviceSupportsBiometrics', () { test('handles true', () async { when(api.deviceCanSupportBiometrics()).thenAnswer((_) async => true); expect(await plugin.deviceSupportsBiometrics(), true); }); test('handles false', () async { when(api.deviceCanSupportBiometrics()).thenAnswer((_) async => false); expect(await plugin.deviceSupportsBiometrics(), false); }); }); group('isDeviceSupported', () { test('handles true', () async { when(api.isDeviceSupported()).thenAnswer((_) async => true); expect(await plugin.isDeviceSupported(), true); }); test('handles false', () async { when(api.isDeviceSupported()).thenAnswer((_) async => false); expect(await plugin.isDeviceSupported(), false); }); }); group('stopAuthentication', () { test('handles true', () async { when(api.stopAuthentication()).thenAnswer((_) async => true); expect(await plugin.stopAuthentication(), true); }); test('handles false', () async { when(api.stopAuthentication()).thenAnswer((_) async => false); expect(await plugin.stopAuthentication(), false); }); }); group('getEnrolledBiometrics', () { test('translates values', () async { when(api.getEnrolledBiometrics()) .thenAnswer((_) async => <AuthClassificationWrapper>[ AuthClassificationWrapper(value: AuthClassification.weak), AuthClassificationWrapper(value: AuthClassification.strong), ]); final List<BiometricType> result = await plugin.getEnrolledBiometrics(); expect(result, <BiometricType>[ BiometricType.weak, BiometricType.strong, ]); }); test('handles empty', () async { when(api.getEnrolledBiometrics()) .thenAnswer((_) async => <AuthClassificationWrapper>[]); final List<BiometricType> result = await plugin.getEnrolledBiometrics(); expect(result, <BiometricType>[]); }); }); group('authenticate', () { group('strings', () { test('passes default values when nothing is provided', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); const String reason = 'test reason'; await plugin.authenticate( localizedReason: reason, authMessages: <AuthMessages>[]); final VerificationResult result = verify(api.authenticate(any, captureAny)); final AuthStrings strings = result.captured[0] as AuthStrings; expect(strings.reason, reason); // These should all be the default values from // auth_messages_android.dart expect(strings.biometricHint, androidBiometricHint); expect(strings.biometricNotRecognized, androidBiometricNotRecognized); expect(strings.biometricRequiredTitle, androidBiometricRequiredTitle); expect(strings.cancelButton, androidCancelButton); expect(strings.deviceCredentialsRequiredTitle, androidDeviceCredentialsRequiredTitle); expect(strings.deviceCredentialsSetupDescription, androidDeviceCredentialsSetupDescription); expect(strings.goToSettingsButton, goToSettings); expect(strings.goToSettingsDescription, androidGoToSettingsDescription); expect(strings.signInTitle, androidSignInTitle); }); test('passes default values when only other platform values are provided', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); const String reason = 'test reason'; await plugin.authenticate( localizedReason: reason, authMessages: <AuthMessages>[AnotherPlatformAuthMessages()]); final VerificationResult result = verify(api.authenticate(any, captureAny)); final AuthStrings strings = result.captured[0] as AuthStrings; expect(strings.reason, reason); // These should all be the default values from // auth_messages_android.dart expect(strings.biometricHint, androidBiometricHint); expect(strings.biometricNotRecognized, androidBiometricNotRecognized); expect(strings.biometricRequiredTitle, androidBiometricRequiredTitle); expect(strings.cancelButton, androidCancelButton); expect(strings.deviceCredentialsRequiredTitle, androidDeviceCredentialsRequiredTitle); expect(strings.deviceCredentialsSetupDescription, androidDeviceCredentialsSetupDescription); expect(strings.goToSettingsButton, goToSettings); expect(strings.goToSettingsDescription, androidGoToSettingsDescription); expect(strings.signInTitle, androidSignInTitle); }); test('passes all non-default values correctly', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); // These are arbitrary values; all that matters is that: // - they are different from the defaults, and // - they are different from each other. const String reason = 'A'; const String hint = 'B'; const String bioNotRecognized = 'C'; const String bioRequired = 'D'; const String cancel = 'E'; const String credentialsRequired = 'F'; const String credentialsSetup = 'G'; const String goButton = 'H'; const String goDescription = 'I'; const String signInTitle = 'J'; await plugin .authenticate(localizedReason: reason, authMessages: <AuthMessages>[ const AndroidAuthMessages( biometricHint: hint, biometricNotRecognized: bioNotRecognized, biometricRequiredTitle: bioRequired, cancelButton: cancel, deviceCredentialsRequiredTitle: credentialsRequired, deviceCredentialsSetupDescription: credentialsSetup, goToSettingsButton: goButton, goToSettingsDescription: goDescription, signInTitle: signInTitle, ), AnotherPlatformAuthMessages(), ]); final VerificationResult result = verify(api.authenticate(any, captureAny)); final AuthStrings strings = result.captured[0] as AuthStrings; expect(strings.reason, reason); expect(strings.biometricHint, hint); expect(strings.biometricNotRecognized, bioNotRecognized); expect(strings.biometricRequiredTitle, bioRequired); expect(strings.cancelButton, cancel); expect(strings.deviceCredentialsRequiredTitle, credentialsRequired); expect(strings.deviceCredentialsSetupDescription, credentialsSetup); expect(strings.goToSettingsButton, goButton); expect(strings.goToSettingsDescription, goDescription); expect(strings.signInTitle, signInTitle); }); test('passes provided messages with default fallbacks', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); // These are arbitrary values; all that matters is that: // - they are different from the defaults, and // - they are different from each other. const String reason = 'A'; const String hint = 'B'; const String bioNotRecognized = 'C'; const String bioRequired = 'D'; const String cancel = 'E'; await plugin .authenticate(localizedReason: reason, authMessages: <AuthMessages>[ const AndroidAuthMessages( biometricHint: hint, biometricNotRecognized: bioNotRecognized, biometricRequiredTitle: bioRequired, cancelButton: cancel, ), ]); final VerificationResult result = verify(api.authenticate(any, captureAny)); final AuthStrings strings = result.captured[0] as AuthStrings; expect(strings.reason, reason); // These should all be the provided values. expect(strings.biometricHint, hint); expect(strings.biometricNotRecognized, bioNotRecognized); expect(strings.biometricRequiredTitle, bioRequired); expect(strings.cancelButton, cancel); // These were non set, so should all be the default values from // auth_messages_android.dart expect(strings.deviceCredentialsRequiredTitle, androidDeviceCredentialsRequiredTitle); expect(strings.deviceCredentialsSetupDescription, androidDeviceCredentialsSetupDescription); expect(strings.goToSettingsButton, goToSettings); expect(strings.goToSettingsDescription, androidGoToSettingsDescription); expect(strings.signInTitle, androidSignInTitle); }); }); group('options', () { test('passes default values', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); await plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]); final VerificationResult result = verify(api.authenticate(captureAny, any)); final AuthOptions options = result.captured[0] as AuthOptions; expect(options.biometricOnly, false); expect(options.sensitiveTransaction, true); expect(options.sticky, false); expect(options.useErrorDialgs, true); }); test('passes provided non-default values', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); await plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[], options: const AuthenticationOptions( biometricOnly: true, sensitiveTransaction: false, stickyAuth: true, useErrorDialogs: false, )); final VerificationResult result = verify(api.authenticate(captureAny, any)); final AuthOptions options = result.captured[0] as AuthOptions; expect(options.biometricOnly, true); expect(options.sensitiveTransaction, false); expect(options.sticky, true); expect(options.useErrorDialgs, false); }); }); group('return values', () { test('handles success', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.success); final bool result = await plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]); expect(result, true); }); test('handles failure', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.failure); final bool result = await plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]); expect(result, false); }); test('converts errorAlreadyInProgress to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorAlreadyInProgress); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having( (PlatformException e) => e.code, 'code', 'auth_in_progress') .having((PlatformException e) => e.message, 'message', 'Authentication in progress'))); }); test('converts errorNoActivity to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorNoActivity); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'no_activity') .having((PlatformException e) => e.message, 'message', 'local_auth plugin requires a foreground activity'))); }); test('converts errorNotFragmentActivity to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorNotFragmentActivity); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'no_fragment_activity') .having((PlatformException e) => e.message, 'message', 'local_auth plugin requires activity to be a FragmentActivity.'))); }); test('converts errorNotAvailable to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorNotAvailable); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'NotAvailable') .having((PlatformException e) => e.message, 'message', 'Security credentials not available.'))); }); test('converts errorNotEnrolled to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorNotEnrolled); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'NotEnrolled') .having((PlatformException e) => e.message, 'message', 'No Biometrics enrolled on this device.'))); }); test('converts errorLockedOutTemporarily to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorLockedOutTemporarily); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'LockedOut') .having( (PlatformException e) => e.message, 'message', 'The operation was canceled because the API is locked out ' 'due to too many attempts. This occurs after 5 failed ' 'attempts, and lasts for 30 seconds.'))); }); test('converts errorLockedOutPermanently to legacy PlatformException', () async { when(api.authenticate(any, any)) .thenAnswer((_) async => AuthResult.errorLockedOutPermanently); expect( () async => plugin.authenticate( localizedReason: 'reason', authMessages: <AuthMessages>[]), throwsA(isA<PlatformException>() .having((PlatformException e) => e.code, 'code', 'PermanentlyLockedOut') .having( (PlatformException e) => e.message, 'message', 'The operation was canceled because ERROR_LOCKOUT occurred ' 'too many times. Biometric authentication is disabled ' 'until the user unlocks with strong ' 'authentication (PIN/Pattern/Password)'))); }); }); }); } class AnotherPlatformAuthMessages extends AuthMessages { @override Map<String, String> get args => throw UnimplementedError(); }
packages/packages/local_auth/local_auth_android/test/local_auth_test.dart/0
{'file_path': 'packages/packages/local_auth/local_auth_android/test/local_auth_test.dart', 'repo_id': 'packages', 'token_count': 6761}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:io'; import 'package:test/test.dart' hide TypeMatcher, isInstanceOf; import 'package:test/test.dart' as test_package show TypeMatcher; export 'package:test/test.dart' hide TypeMatcher, isInstanceOf; // Defines a 'package:test' shim. // TODO(ianh): Remove this file once https://github.com/dart-lang/matcher/issues/98 is fixed /// A matcher that compares the type of the actual value to the type argument T. test_package.TypeMatcher<T> isInstanceOf<T>() => isA<T>(); void tryToDelete(Directory directory) { // This should not be necessary, but it turns out that // on Windows it's common for deletions to fail due to // bogus (we think) "access denied" errors. try { directory.deleteSync(recursive: true); } on FileSystemException catch (error) { // TODO(goderbauer): We should not be printing from a test util function. // ignore: avoid_print print('Failed to delete ${directory.path}: $error'); } }
packages/packages/metrics_center/test/common.dart/0
{'file_path': 'packages/packages/metrics_center/test/common.dart', 'repo_id': 'packages', 'token_count': 346}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // Example script to illustrate how to use the mdns package to discover services // on the local network. // ignore_for_file: avoid_print import 'package:multicast_dns/multicast_dns.dart'; Future<void> main(List<String> args) async { if (args.isEmpty) { print(''' Please provide the name of a service as argument. For example: dart mdns_sd.dart [--verbose] _workstation._tcp.local'''); return; } final bool verbose = args.contains('--verbose') || args.contains('-v'); final String name = args.last; final MDnsClient client = MDnsClient(); await client.start(); await for (final PtrResourceRecord ptr in client .lookup<PtrResourceRecord>(ResourceRecordQuery.serverPointer(name))) { if (verbose) { print(ptr); } await for (final SrvResourceRecord srv in client.lookup<SrvResourceRecord>( ResourceRecordQuery.service(ptr.domainName))) { if (verbose) { print(srv); } if (verbose) { await client .lookup<TxtResourceRecord>(ResourceRecordQuery.text(ptr.domainName)) .forEach(print); } await for (final IPAddressResourceRecord ip in client.lookup<IPAddressResourceRecord>( ResourceRecordQuery.addressIPv4(srv.target))) { if (verbose) { print(ip); } print('Service instance found at ' '${srv.target}:${srv.port} with ${ip.address}.'); } await for (final IPAddressResourceRecord ip in client.lookup<IPAddressResourceRecord>( ResourceRecordQuery.addressIPv6(srv.target))) { if (verbose) { print(ip); } print('Service instance found at ' '${srv.target}:${srv.port} with ${ip.address}.'); } } } client.stop(); }
packages/packages/multicast_dns/example/mdns_sd.dart/0
{'file_path': 'packages/packages/multicast_dns/example/mdns_sd.dart', 'repo_id': 'packages', 'token_count': 790}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:convert'; import 'dart:typed_data'; // This file contains base64-ecoded versions of the images in assets/, so that // unit tests can be run on web where loading from files isn't an option and // loading from assets requires user action. /// Data version of assets/dominant.png. final Uint8List kImageDataDominant = base64.decode( 'iVBORw0KGgoAAAANSUhEUgAAAGQAAABkCAIAAAD/gAIDAAAACXBIWXMAAAsTAAALEwEAmpwYAA' 'AAqElEQVR42u3WoQ0AIAxFwV/C/ivDBmAgIO7ZpuZS0RpZVetx7i3/WItgwYIFCxYswYL1uF7Z' '/PCMXBYsWLBgwRIsWLD+qZJBwWXBggULFizBggULFixYggULFixYsAQLFixYsGAJFixYsGDBEi' 'xYsGDBgiVYsGDBggVLsGDBggULlmDBggULFizBggULFixYggULFixYsAQLFixYsGAJFixYsGDB' 'EqzzTawXBchMuogIAAAAAElFTkSuQmCC'); /// Data version of assets/tall_blue.png. final Uint8List kImageDataTallBlue = base64.decode( 'iVBORw0KGgoAAAANSUhEUgAAAAEAAAPoCAIAAACQ1AMJAAAACXBIWXMAAAsTAAALEwEAmpwYAA' 'AAH0lEQVRIx+3DQQkAAAgAscP+nTWGnw1W7VSqqqrq3wOa1wjO6jYVpgAAAABJRU5ErkJggg=' '='); /// Data version of assets/wide_red.png. final Uint8List kImageDataWideRed = base64.decode( 'iVBORw0KGgoAAAANSUhEUgAAA+gAAAABCAIAAADCYhNkAAAACXBIWXMAAAsTAAALEwEAmpwYAA' 'AAG0lEQVRIx+3BMQEAAAwCoNk/9KzhAeQPAABYV8RfAQE8QBqiAAAAAElFTkSuQmCC'); /// Data version of assets/landscape.png. final Uint8List kImageDataLandscape = base64.decode( 'iVBORw0KGgoAAAANSUhEUgAAAQAAAACqCAIAAADN4AYNAAAAIGNIUk0AAHomAACAhAAA+gAAAI' 'DoAAB1MAAA6mAAADqYAAAXcJy6UTwAAAAGYktHRAD/AP8A/6C9p5MAAAAHdElNRQfiBgwEJBpZ' 'TeoxAAAAb3pUWHRSYXcgcHJvZmlsZSB0eXBlIDhiaW0AAAiZRUvJDYAwDPtnCkbI2aTj0NJIPN' 'j/S2kf2LLkQ4Zo9wPHghWQUNaqF+rkj6SOZOd0Qo1NfWZeC2/9P7avhv0jzD6IMmqP5r16cIoW' 'FkW3cB8NXuLaHC6FNX2tAAAARnRFWHRSYXcgcHJvZmlsZSB0eXBlIGFwcDEyAAphcHAxMgogIC' 'AgICAxNQo0NDc1NjM2Yjc5MDAwMTAwMDQwMDAwMDAzYzAwMDAKzMh1mwAAAER0RVh0UmF3IHBy' 'b2ZpbGUgdHlwZSBpcHRjAAppcHRjCiAgICAgIDE1CjFjMDE1YTAwMDMxYjI1NDcxYzAyMDAwMD' 'AyMDAwMgrKmURQAAACZ3pUWHRSYXcgcHJvZmlsZSB0eXBlIHhtcAAAOI2VVVuS4yAM/OcUewQs' 'CQmO4wTzt1X7ucffbjyZeBxPzSZUwJZA3Xrh9Pf3n/SLv2qe9K4jamRfXP3mJUyyixcPb75pF9' 'nG7XYbIpA3N0pKaLGu2XpkU+yt3pLVWAMHi8ZqWzHHCoOqOCSiQzfJeo+qa1THQe8E80Uy3/3u' 'Wyh1iQhgYz7IQ9dd8bl9MnmagezGE/Z5QnKp1ktOQnIjpkiLbPh38MkqClQNbZAtWjACQ+Qu1G' 'XITAZXzItqko6l6aqGsUKR5Tzkwz0BC9e1iJn5yTVJU0n3ahhG1hXujJg/2QK7ZJuMYyI3jslE' 'MAvmvgOAERgjP4xIVLgFBOq/sgAFpAqJEG8zUg0Rwo6H3peEgI1AYMlqD+wxFwywdaT6hfME3J' '5pSnhBsL3DnQpOmQ4gvFhhsD+ydjCuYYV1dgpIurL+vXFWYsA57Bk0Fzr9EdeEUpz2GZcrx352' 'aodNV7gPkx/xWY1Za3vTwMDdaEKjsGyZJmtms7L3Q7Bss5tWQ4PAB5DEUzHTihpDuVqZhcgiUB' 'Rn1YY9ZoIZTdtsgZCK/MLkAvkKGCY1wUw1YGFVrnhTohqbonELMXVnVcFxAStKUDFH4DSRWZDK' 'knQGrrwgtyfyAViOwOk9ZMaPDY7kGBun0Pnhd+3pdCVkXFJjbtL5lHk7FIBAt2eNuohnE31xjZ' '3ELnJg4QXPLMd8qOLVf3A/Pfw3ev9myo8ZT9P/I/J/pvxca+ldZOE9NKMj43jJpNdb5rxtvxE/' 'pS+fgV2TLj5GhbmZ7sj+HUn/ABXkieXYIGWvAACAAElEQVR42oT9aa8kyZIliB0RUVUzc/e7xJ' 'aRy3v56lV3Lb1N9aDZAw6GaPALATbAn8b/M+AH8gNBYgCCIIYDdE8v011d9bbMiIyIu7i7mamq' 'yOEH83sjsuqR9AQybtzw1VxU1nOOyF/96/8jcxmv36T9C19XZUcQwJCLTNP08s3t66+DzFlvXl' '0nsfAV0XZjfvHq0IAunBLMKCEARBDBEAAAFABJkiIaQVAIMIg/diMJEnJ5sIiQn+8p238il3s+' '/V9EQJBCQPXz/QlAoJAIYntS+fwo6PY8n1/dyBBA9PnRX/6rbK/49Nb++PsHQmAEAP97dyS3zx' 'OX5yGUAkhIRFDEQDEAwHb1BJdXVBU+vQkAQbCCvWuEhuP0qawf9+0x6aLikEERhDAkIKtz4SCS' 'R+1F11HrThcViCEhlD0EEQGiE04CY1DQF4o4tK0Eomuu+abbzZqvluG25pLbQuR1d9VFFUKyx9' 'OnJUiEAk7wiytjQgbJkQBQI0IlCHgQFCd6l6VRqdPUQBERGCCkkNyMIi6vAJJCZ0QIQQgVRFAF' 'CATCd1i+TnOOXik7bTey7GT9z+f9D+vhXPHQ0Vrp3clIZdqVq5tUrrwu8BVeNQ1imiSGoYzT6F' 'GTQKHz8aQhyfjmdbqZGMf3/+iFX5X0t338xF1SeKB3V9UvzWIzWRCqsplfXL7cv3v7uxYvoiL8' '0tB//pyffyPPz/j5PkqAgMJM+GxB5NOj5OlYfPlyz0Yvf8d8v7T87T5fHsUvjvvzzwRks1wXAD' 'AJEwkqAQoCVAGEoIhuz3yxmO36BWV7QfJn70QDvZ9JENJ6T2SvPpMpVCKHhjIyRLQhlBSHqkgT' 'KrF0A1TRgVCFiagEIOFBTSDYPQCXgoBDqkp47jJWuWnlhjlRmTxgpeVBIEaBbhcjRCAi4WEiFO' 'lffl8kPVSEhF+uLQGoisAICoOiXgyMEJgaye3LFwhJcLtGBKDkxSRUxUFAReOzl1AVZGRB/RDl' 'Y4xDb1eyJPLk5oTDIIZEA8ORUhmub79Kw/Vyuqtz84ixGMYxSy5Xh8OLF0mhZBaVLOvxtC/lX1' 'w9vNLTH84n+wCd5Kv8+lP+046Yj3Xtvr+ZkgkIXuyZEFhsn0YAikIJIEIuTpUQCyRi1S9tEmkz' 'IJMnJw0QLk+OVhACxGaZYaqOL0PIxVsoQfnSagn5IydQFAIwfvbYz2fhyfkHL0Hiy2OAzWNdIh' 'zEKSLPVpuezQCAQgCJ7U+AMAAiF98mkEtw+uIwASLbSRNxUMB1ZXeULNDWgq2pBFmUnd0dLkJl' '1PBIk6ZBoR597d770lQ1X2mcAUmChNlUEAizkKlmK+0UklbJhHYdax58esEYukqUvecRAXZEKi' 'DROyiSVE3RoKSYCglQFQ5QxIMWQGsukjTH9p2rCgkCgkQlwwGIWBpEbXP2oSKXL04kAkAKBUgN' 'kg6QZpttSGgYxSUYKkpdwx5kPCI1ph72GENjeGcEQikhKuFKpSbpjxrezg/tfCfs49WL67ffJB' 'uSSL6+tpSE3n0dhml/tS/iuX74j3/z8D+3EEENQAA5tv1vz1Hqcp4OVzMxliIimjUn3Q5APLle' 'ihihhEIC6CIikC16AcMWPZ+DHQHAEM8ulqIqEIQBoAkQSgH04ojwdMkuKdBm7VBsSdLFq5KQZ4' 'dyOTDc/k0J+VmKw5+fBr34fPkyzkVcDH77jKqiX2RQ8WVElC8Dyueb/d3jeDn8oYA8xwlu5z1U' '+mmGBwL9dERrTdQQxl7CAZ+9waObRXRpszBE2kpJNulwo+JKam2GLjAzGHsEWrlusN7PDrY8Ek' 'YZmoyersggu6w99bO7o0zaIfMJvUcufrhJp7tYHftb3cJZAIQKyFAV1EW8yrjbcjoBhUI8X2lS' 'oKZq6puhm23ZKCMuTkG3iH1Jp8EQSLhk7dwSTsWWLQrDRTrz6kmBIl4NIqq0IAxd3MMIoYkBSG' 'Oy5fFH9KYRutsXM6m9R2VKkIC3dHV19fqm0NrDQ5w+fLr76UM40MecRAJilr19Wk9dOuPh4eGr' 'b98MetO6Y1UMgxWaqpJMutn65vrFdLMECygCAkAu2QJhIIEAL0YMCFQA2ULuxYYoAI3KLaRAia' '5Im6GEkBCjxSVKOMRVBJEdDKnGLbt+OpnQuGQtFP3CFOMSxQCAWyL3XCRsx8aUl+O3hQiTpyOs' 'JBWfY8Ulo1M8J2P8IiF8PjPC54BB2eImoAoq5odHqV16Xz6eEMR6JFWFKj3IShcP9mjs3kNXiC' '4ETVVlXGRFfEq+FlT11YMiUO2mCEkRJ6EvLhLe2txtoBC7nUtIymDy2kVNS/EkaTn6h/dIptcv' 'Y5mldywnGXdU46cPbMThyspIdwg8mpRRRCCbB/HLVRF3UMiUhd16D4L2lPQpIdAuFBGNcEJM1d' 'lCXBTgIdUd6inKCusQhYq6UFTCTQNxUE+o1Xnk1KHJXAQu4g6BBUjp6fb1t62taVcg0ho1HtvD' 'Yqmk/VUOTsiHJAO0nz7yw/tWl2hdokG9eV9aMJJYg82bEUqCtHp+eBToWuf09k22gaSqdEKI8G' 'jzEu7TNElJRjzbmoiISMhW4lAAFX12lkqFPGVMT55bgOxwxbO7f3bXF58acLkcD6iUzu1JKBgo' 'fknVBYCFGC5Jvf8dD82fVSCfKwJ5SvM/pyqXKvBnBcofu6nKc9UIeY5CT4FGnsITBbIlXVTT+b' 'zSw5elPd55nSV8S4sMToSwGRo6g9FJ0DvgjORsZsQKRD7VMIK2XTYFRQrGfQjTshLipDib9DCD' 'qmZKZzeoGpIgZ0rSUKYsJYcCveraIV26t/sH6Se9v2PK0s604rX23rxHfv2VXl9LUkQQfomKQg' 'FtczpGAQZLIhJbCkmEcCcIRghHNBWj4Os8H7Subk7p5GTzkWOFFiwFvJF6DknKgj6xDhqZ5wXy' 'br35z8vNotnQwBAohZlI+xfXu8F0uGmO5fjYl3vTJJaGyZIi4ewPv1tOknqon8QXZahKNnNC0W' 'qvwgSXlAcztejHd++GoaimPCZZHlbuJFnvkbi+OBwqAinNbY2IIuJbb+ApWcAlz7sUxARBGHWr' 'Fi+2L5dYqAyBCCUFIBQRl0iQi2e1LWsSe/KwT30WEUEICCRRcjMxhFBFKMoIQQCiW6VNoZCM5x' '4UgI5LQaOg49L5iS3/kfjC5rf2xfYqkEtN/3xctk+4ZU3PVRHEiEs1cfkjIAqdH+bzp0dvdbn7' 'hH5SbL6uMRwI0oXNnWSP8IhGCKnOaKBGClLFQKW0VSlllDyGu1oWmQSu6xrhlBAxZ0Pk0Ga9FV' 'guYwyZIb42CcqYVKCHQ4Q7XdZzQ2+MeDzy8QgPKTmz9sDp4aEtSyqDRE9Evt3TBaZJECIUMaoC' 'BEVbNhCJgArVLw2wIm4K0HdSX6PdlNOvhsedzB9b+c1y25EHa/APc9gRZQK/1k87WxDeIgXjIO' '3b4fFg7ffn3X8ot/+v09e/aS+SMgJhuOof082YdpNKFleN27eIr/u8+HwvxqtDlNTq/Mi5td4C' 'MpjPHu6RKEEJEkL3JiJiyKmIr1ibSLWUXu1flNTO89HGUh8fgSZyfpEKPdVkl04OhAIViadW49' 'YLVCp5ceh8ynYuDvXSKtEgL03Q7REC5aVsIvlcTv+sJ6VP+b88W6eIIJ5asNsz6xeuOwCVy5N9' 'ji8khbK96lMV8RQNvjD/SwUHQDQoYDw7/r8bQz4fgy/j2HZLKvW8PvzhR1H1ZZFWDQq6e6VXoI' 'd3Msy9UYIddPdGMKiUJKoiSUQhOmsI9hgONu7SsINgbU3XY6xVvEa4iG5lU6CLhktdcT+K0CdF' '8tO9QgZvecyyv/bosSyrz+xN3OPTe+9rSnY13SLqx09362lGuGUtbFw+YDGTpGKhJpemODqgEL' 'VCXo59QLqIGndkhzZRsPzT/OEfjO9GOIQNuClL5ruHPik5lNngx7ajxLU9loiUPCMMMaIdbJ0s' '/uJw/mZ4/xI//Z/v/+L3+lItwB6U9Mvrls1Z0oohj5NbjqHXaWp1LVKXx3Nv3ns3ukGJXrpWSI' '/ooEQkUSdEFCHsANQFs9tuV0rUUcp+DC2pX6d3n+qn+yUG6MSSRu89NU3JXETBCVFFXS69RAL6' '3M4hQiCEPPXXDVuNJQSUEpee+ec0+tlVf5m5bI3R7Q5JPp+lrZJPon/3tFwMU/DzzpIAKvLc6b' 'fPxfpnU/6yg3Tx8obN/z91Ny9vdssBBfGz9/n5wQSgHrGs2RJ6RG3JTCSzr9FXISKqRENHpTMQ' 'EUTfAishokLNEVBEzgXjQacbG3ZSRqr6+dSWo9RFokmPAADtCFX1vrgMxpN11vkxWTHVsZjtJl' 'wdIpk+PrTjKVqr50/L6VRb075Ir9Hx4d3cahXnPlkILGb0xzdiL+X9zHzs47G8MRhBSiTZzgKp' 'wZBG26H/Rfn4rh2OHEvy4mdK/q58fJtOpqm2OFNqiEjsdA0nIkJktKNFF0qxeGs96bk3XQPwnl' 'Ks7NrldXz6Pv7m1IdQnZ0MTYO/G3Vig2nxuooLoktAY14+zb03j25oLrk7gMrQgDLUBcogaQoR' 'BsU9LGkyvS6xHySWn27y424sjN1juv3q5vo0L3dt2cFvDuNS0pjRGYAmxKC+jURks5M/YojAc0' 'vxcyv56W9/p2f/ue/5xVP8/d8825yK+nO0+eye+f8thX96Jz97n5S/9+Pls1wKeuCpoyv4nOQT' 'gH85kns6ISLo23Gq7rUB7t6QADCW8N6Fnd3DG7wjwtlBkEE6yYBSVUWEAhl9yJav0tWtTTstg+' 'bE89K85myOyatKGmhKBNe1OwLKPLiZr0c59RCUYYj97ttXeT+epvq4rn/44fF0rKZzcDmlCAhL' 'Ikx3sh5eaNa43kXterfAhvqnh4dfv/bft1vn8m9YTzIlajwFXhcZEd+ks6L9Oj3+5eHH1off1+' 'kxhlseT8FbeyiAslZ36RJhDEHU6jlcJfo++y3Og/Imh7A/1HzqOqAWtscT54hlxqmla/z0lvsH' 'HsS1iiTT/nA87qeYsq3Hu6WiuUNT1O5rRXjSIJ0BMkRcQ1NEE9FQQe4ktIOJEIGzccjpMJavdn' 'WXmva5+BAQGW49H6CSPZdsyeQ6oYtATEGlnsO2we2XBi1PDU17Gg9tt+BnI9v6QrH9oAhHb11V' 'VO25krw0db7oNX6ZrGz/GHapqkE4nzuqhMg2WyA3l7XVzU/NVsV2ZDdn/rnyfT6BQAgESPzcXt' '1efWv9Ki8nQwMhUMK2hwg0QEav/fTw2OZVREwiWp9PD+bh3qL36Gv0xnCDgNHhEltqIVRSBDZq' 'GiRPUiYbDmna5d1eh6HX6q3ZMPTeWHaQIqqWUq8rG6I1VyA65zXWVUgVxjpHOx7T/VdtfbuX4U' 'V6PbT/8sPxIwqgQrNhyEr0ejvKiz0QuNnlPOb3956z/+Nvh92ufDjKI4foRYAAFehgNwzBr2T5' 'l+Nvv04P19aEvepxl22pskCuGOPcI7caXqs9RFp769E8cI59QA6pXdfj62EerQfLpzW9W1gBIz' '5iYKdD7ls6ByMdpvA1QsVnf0yDmkyRB/He2nl9fFw1p06ptYWLg9skNTAbYCqmHqQGvQOsoAa3' 'TL6ayWEcpxzwRlcdNZWd7K88vaSkVKKkl0SESUQk4aQ9QgIU0e0p/uiE+O/f/ogX736eZw0CEg' 'JLKWWqmaqo/myC+9nL4ou049kv87nhCgDb8BLYetfPEAbgqc35uYdDxBfpvfLpVDy/2y9eXb+Y' 'EG+HJAdcYE+ncRtiVO/1PPtazSTvR6cvvvg6a7hHFYkIly3aiTg0oMIuQAhFjVY0v9TdlVqx/X' '64ubFhMlF39LXG6joMdE23mWQ015ziPIdXkQRpKWnvq7Q+Fqpqr6ugf7Ufv9+3P3+zf3NtHz+e' 'kaGv/bvw3z6MC3dFg30ejdcDhgyVVLK2HjdDTEMsS305xF9ctf/Hwy+caW9dImaUIvw17v4q//' '6tvTtgyQwDosb9sS1e3FvtqJSj8z2iIyptjXyuNVBa2j3KPvu52Ole1tRbaekIzC5z6xW9hoQP' '5xiPevvYb9YgfRVG4tlbAyQxRBl3Hz8uc+/O6M6eVkjvXQCKVJqSMJjImNIwptZaqayiPZDgoD' 'ioQ94N+fY6T2UKctjZfgyfbh7Gb89yZdFfaVT1By2dDORZmelZpdGCVMCfqtIvLRJPqfrPoBBP' 'jnTDFKB7XRaEQzQllZzNbOuqXu7IzyYol4QE8vPz9kV//xJtNhjCzxKtp8Dxd2PLFn/k8/35xW' 'G4HLZt0szLzBikUcjnGR4UfBozyyULErGUUk4iqqrhLq3rVVur9b5GhI2T9BrNI8LDnU169gjx' 'cDUdr/PN12kazTLKlA9XEK0PD22dpaRpd1V21+EhKiR7XebjnMaUXCCWbw4qZHTzmhLDvTU9DP' 'rPvx/+/G3eFf327c3bN1fz/cOylk/HmA7DyUs//RTdX94MhV6US4vmZKx/8mq3K6nVh53ublL/' 'p9OPUMsWyfk+pgH1H/b/+HX/dMAxqSKsNe89EmOd17uK6gHJ7lLdW3gLCSxIAyCzTMtwbb4svn' 'rg/ZIIumoPCCOJuqB7fsThwa6aWPdQqmJBsOZdz9fpvEbtLTxqrUuvADxMaJttJTUBxGA5Dcle' 'f/Xq6rAXwfk03z+snSGqKnQYUt4P5frmxsR6xO4mp7HUfFtlrwJNgwvF6ugKsVmdlAU5IxyECQ' 'iNzbP6F+auX3juy9h5s+Vt9LrBCkQV05hyesJBcMt7+VwRPxvu9uC4GO4lz/lZDACeUq94SrG2' '96D62aMzYM9AnZ/jL/h0MvkExHjOv3wDzTggcIpdcDQoSpWYQwFpRLJLYS2qw26EiCgUCKZkL9' 'WK9QUMUSMx39/VZWEw15VevfdtWBqplJvXw8tXEh4t1vPcz8eyu0qHXdrl3eGQx0my0V0FERJr' '2Y3Tn5X3aeXchq8Ow4pU2C0+ee+nx3Zc5C++2X97O9yflz/8tA6Zb795gak0X63XX472GA+nkK' 'yDiBehigf7L67K1dW0K9gNlscXHdG6fF2ON/KfyB7J3i35tKy1fvrQj5HZ3cm2L8HwufHDGXMT' 'J8Fw50q0CJNMU4EsdY3+eNUeS3w8bsE/oveIaBQ2lJ72dbjteUcdwagkEy32TXcPqt32TXNyiO' 'VpqcdKN1NvPRgOZBtCLLKNlrWUYSglp/H6q1dfvz3sx/tzK+/fLfNJ1W6uJrPs3jTlYbiZe/Ra' 'W07nPNV8RRmC4pIqXbtldkCbqYMCJzdvu/Umf47lfOqN2NOvnmapcNlgp6Eim8vMOZFPKJqngQ' 'GeT8wXQSVAsc9nQZ7PxZPnvhRlXxQYeIYsPePwnqE8ECFNKIJOaRAD0wYFoCQJZ4gaBI3YS5D+' 'L7+a2fhulb+t0xxZFAQDUMWIeKnnH/t4FFNABoAoQIBUGCV2w5D10G9q7yllEmnYeWvtPEeryI' 'kIqHUy5WzjZEPxGgB2V1eiYjmLaUB2+2KXiWsCGE7kKTe5rQ+HfSzNdxNuIqQvkNjthnxt56UP' 'Fo+n04/HnoXnh+Na0Hv4vF5NnNoJTaYinXWpoSaT+usrPQz9appssDIUpJQ7+vI4wUfTU02Pa8' 'vNlofTfF6O8HfwFiGQgiqQs2OpjUwO9ugiJpYJYVKota5Ox/qxhS+SvTn6DAWZAG1lOurY9ZVO' 'X/XxUCGFVHprDLYuWmOkmFJTr+u6Lsf5rGZixt5AqokOQxqmVHZlNxYdhmEIsPZYmUMOdrCXed' 'fXeTQfciFZe+/UZSXzUNRa3nmewgYyhakwIAZohYdARC/wLocZBOJb4QnaF473KSX6EpcMgRjg' 'vYPUlLb7MPh8gjYPvflnvWBQAUAs8Axs3o7VBbsmIk99m+fim08dm6eDofKEiCMgNOHWcjETgT' 'DwVa6vbXlZ6n8679/HYORoJOOjK1VeIP7F1fuXe/3qlbHz8d6XH/E3LCpMICCnLrtc//X3x49t' '/eu75B27bB8b/+1y2IvstCYyVB9TahQ2022sZQdA5+MpPHTIW0Q8Hx+HUsq0owp2krOpwgOqtA' 'uoJkQEEAYoIgFd5938A/145OrhqDYYw2Ot9eg+FVyNgZoY/kqaimRNy2lZltXpHnTXXZK1C3rf' 'CTUia4yaxjGX0SwXAFHn5bSeT8viLVtpPmzw4fN8rmtdAMBJ9O7BiHj2Oc0jIFpy3l4s2pzLbX' 'irbQ1vKmKlUFhbC46RDNNN6FW5eTVcvTjrjpohukCTRE9Rm3Z0Qw4n2NLdp/ctmlqx8ZZQi6SW' 'CLNSys1tHl6qcj/ladqF8HCzL9cvch4ioqTdNNo+tdmt9sF1OZ/nDsmpRNlx3FkqGwiIW/ZC6Q' 'CwtX0ib2mvXZL5C5/ggjK7II23DIF6wdBfns1DRKVvnQ6KgCpGiaAIIwIdImJJQwkJEcU26QrA' 'BJdn3bqe+nwwnpo2F8Qqtjm9gIpt4qshF0xuiCoGsEFXkUSMiLfl/P3uuNOg4KrZd7aeu4bIN0' 'N9V3OL9M1w+vXBx+vEUrT4APsXbX1z+vSxZ1JObn+xX//stQ8vd18Lv9kfo4bm/Ls7flzT12P/' 'ZlgT6rt1+LEefi9lzD5Qqij3KVaO+333DmIopbZuh8O0G7c6PBWIUCk1kYRd0BWaAi4IRTj7su' '4+/u1Yf3yURwnPFtpFI6Ai3gg/zZDOm7wa+2CSLPmC+3pfWwU0XC4YqUaLQHdu8+QhjfsJmtbm' 'vfU2r8uyOglahZ3X5dPMh7UjIqK7OyOcDI/LpF+3BpuIKKFLr0Gpa3dIrZ9ImOWcRzMtGW1ZxH' 'Q3KnYv5/JKd2/fvNx/8vGujwBUjPROpeZm0jdMt0SiJQctX8vuKsq1A3m6sekAy2nYTbubNO7V' 'YpdYckEZytWuJH2VliTLqQ1MuSNVlmMeAgUZyMoyiSgsqSpIe84/BM9MGCGUTqCZbYlyUvUv+o' 'Tbj8aNAiJ8QiYooSoBSdlqrbWtORcxo1JNxEFeUNQdtKzCrRYQEArhE95OtubmF7h/uxBQ5NLm' '/KKhuQUsQ6gIIWL+QubFx0Na1HjD/ovxdFN8pfzteVDiTeKfvzh9OJWc+4tJ/lIqwS4pJ7qf7d' 'zCbCz+7Sv/6rDUc/svj7mX4Z+9XmU/MMC6BkMHI5Fj/Ze3798OPkicmqxr+xQ6cfjG7lqk97xW' 'sAEsGLQAVMMw2E4SyBBuHxPkBtbPhAZcn2fh6GQ8nOPDO9b7Vh97X7K6pogipibuxl57A5lMEn' 'UYTFT6uiyNTohKc7hTN7AQJZwkUmq3L65f3N6qGSlt7cfT+XRaFaKafBxPS3y4Wx5ObYk419pa' 'A9DdIygiZgbAPUTUTJMlBtbeoBiGvK6N0XLZmZVUVERySje3k1G/+e7lMf3yHV+3kj9FfkTamz' 'TESs9QIlbB63R3w1bQfll+GhgppYyhoBxS3udxylfX49WrlItlK8M45AyNQwpLJmJqfKPzIOtH' 'H6nWKHc+uCRIeMqye5FC1DSbbJCcIPjFfGgb/wjADcgCSdu0kheofHy+M/GEwt9QEyQvqIQNP6' 'my242td29d+1aEZ68NETrmYJhSn3L1C1xhIynopUYQvbRwYktqLsUIefH68mXNqxCaJEaivNAl' 'Y369i1+My2PXQ6qvSlfV3vS7XT8kL6OVqXx3tYFaGTAJz9IJ1054le4Eo2oiNOGX0wl+PD8aHs' '5lUJFIQ3H207ENvU8KHuNT8L5G7Tm1uNF+JmqYGEPU0gZqi4078ozpu+BI5EKcyA7oBTgIQV2i' 'u0Y0//Au3f0X+kyssNUBEZPmVbsyBo29cZdxGGVImpJFBHLqPZRSo/fee0eRDIUaAOxyurm9ef' 'Hyysyqt+NpOT4sj6d6XOs4lMMuLVV+/Pj4eFzOc1vIWteIEFERGYfBkrk7SdNkJgKsrbXWRYRq' 'Sik519qSMFkbp92YbDArh9eTMOXsSW+UVfxjHMwY0lJg9FikPEr+Zf/wr/P/8N3kEBFUby3psN' 'PpKh9e2vWrcvVqOFzv9vtkqkKaqOhAFoudrYo+U//g09L3CdKJhkzABEJJJqr2BWRn6438jORl' 'lzJXnz3vU7/lgt8MeaKe8EL+uTwZYZS41MtQSJDRPKulot5aWztbV9Gckl5A/YK49PX5FHbkc0' '9Jnl/q0n2yL36WDVSES5osIiE3uvyyHKfcVcMgv7hqp5YrY0hWsmZxMobseafIwQ35zS3urAgi' 'gOgkoCpZZW1AsPf1eGZgXlhrG4Zcq5KSh1gaHx8Weo/w3mKJeED5lG8g0iPmdJOCbqCKbsj7p4' 'Hdc+fq4khIyIWJt0H81KGKSs6fflo//FCOv9/1I3Vt2gyqIt19pp973RmG0ZJEAiIkItZ1VdUA' 'IuiIbbytquOYU4YZUyolD6WktbsG6+I/vX84L+tSUcNbxCmk1vnhNB/Pa2t9jXAPM00m+90u59' 'x6F5GIKGY5S+8Md1Fasqy69vBwNXgsQxpHjatx2A1lX3L0usB3Opumu9h9rY+jxAPTalnBFvzH' '/Xf/Kv2Pv97NklNb13VdGUzTL/6xYhpvX5Xr6zRNZjYMKOaK1KFUhHOFGlOCN5YFAom6jV0C9t' 'QctK0vKZ/xNpdkYmMICZzhEKODJhs75Wleqk+0SYNceGRPQ9mnJGTrlG8O+vJyWx2noqGWi/be' 'NasmVX1KY57L3D+Kf3i+qQCXL3NLtCywgZAN7iKZ/eth+bOb09e30Cn5DC5USxsKfyd9UA3x3a' 'iSBcNT+KCLCUTohFyGHIQDZPNoFc37stS6ust8qt5EEadzuNMxl2ForZ7XttS+9NbInoe17EOy' '1ePkn1q6AriVsdt1f/6Uig3uyi0Qb4COxoiKMgoSvNGj+fxQ7n5X+JGgAaKhAWnRXByeGUxAQJ' 'Vr9+bek259BVI6N3aabLyGZBzysOXoJuEWLagq3VVzZg1kZ+epeVtPrQUCDC7uEaFqqvLqer+f' 'ylxBU0vKoAqmUlbl4J6KlWRZ7e64LhKH3fT19VUaxjl6prUWa59ztlKmJn3U86v0uFOOaBJxX+' 'M3S6CWf5L/9nU5U4Ze13Veoq69a3r963+6hXgdJivFkpkC8M6A6Qb5DcaRWSWJiFI2/K8SMIps' 'vcpnC9sYvxdGrjAuEyAwC7KsjUbEBiCCXADAT2NXiCC+gAz8/duXpmxJtghTigkQND4D9zeC79' 'NT//+2/2ejeQYR0WTgerDu0Ieu/+Tq9E/fnrkfIRpSdLdwOWutWfqLDGz0DqNklaKwYBAMKCDG' 'IDzgAQZ6SDgAeKA2NO/nc52X3qKvITIu8zI3n521aykLSG988D5XJ4VQLDP0rL4gFCLTUpd86A' 'rV7M+fguAXuCQlZMv1g5Y2GCHq2paPD/34YcJjFogG4N5XiIrI1isAGUEPLBER3UTcdatNSe2B' 'Skkpqai7Lw/NLBgiosMK0drDVC3lVJseazgkmB3mrNU7g1SISE5ZRErJwzCBzBJWMkQhMuWcwL' 'kt07QTlRcTdjlNybJeHXa8Gcpcewm6xf15nmkvbXclffV2W+rkZ/feKz+e5sfmu6W9sjXnRFhf' 'l3BPiJn9dF5TOdxYMOhbd1sYYilgW8ze2osqSlzozHpRYdjGlXxiKYIXPBcT+us0j1rHhNuBKe' 'IPS/mxjr+Ylq9L+1Dt38yHFVPa2tB6+dqe8qUL0VeeRqx84oRfKFR/By5xCQgCQVLZGL1fUlG+' 'NP3Yvrwv8A+iT/xGsMllgJZISAzGt8W/m44QfXVVcZW2t6lcva3CCgkRJ4RmmhMskATZIAIlPE' 'SUohId7gyP1uEhEXDCXT18Xdu8+lLDAccSZxJLt3P1NfTuFAANunifG8bpOmg636uJpzFQtmFb' 'ZldLndAvh3GX8YXgCe5Bh4mqIDoQ7M5YV7SFKtIVMTtXgXasokkFTt/AX7V7Eu/eNaJ1E1FTCm' 'xpJNRDAmzhaFUla1LT/Fh79W5MIkFVQEQSUwm6Y11dSG2tt4ihjGZGcpqmrnlX9OZGgqkRqzez' 'fF57qAwq0p0uJduAPhpL6ONpjiBcT716bzXkh4+rxu52SvLwOIw81fVv3i/nJQAa+zrgeG7r7P' 'PsrYZaBb33SKPSkygKSUlmSjhVniZJT6YkgPozuh0h8WSdl99sJOcCz+pXafk+HW+KD9OAZK9q' 'ff1wHFO6HcURr9b6keLQCKrohaOswDaVly9UU6iqwqcQQ4aI/Iyu+HS/C3Nq6/RfeI28yEo8zc' 'QU3EYc8jOlCRG4CvfOwVaXNJq/SMuo/ZtdvXkhMCFBh9iCIHtIbdAAI9ipZslogUTJaePUiIBb' 'sdgWVOfWKGlNCbYWvSE6m7fu3WuER4c51KMRrUULVo8IkqzRFm/NVfNOyt5j8zQiEd25JaHhCe' 'nCSN4+1xfqMHDAI0CYqgIRgEgu+WSuEbRp9U/Ju4JmKht9iD2plydGhcGDHbAICIRBkRpAMLdW' 'IeZCd4qEqJkoJLXNHKBwU9uyCFDNLaeSasx5zGPJTgBsrcJQinJ3HbcvKvPSabCHpdf+0+11QX' 'ugsiSZ69kjFo+1eesSEWvEsmJltAjSa2v/+I2K8n1P81KX1T3YW0vCxxbLeRGJgui99R4akrIn' 'kSzqiqBtPHWYCMOhEgK7tEiI5wb61ugykbhcaIrHZT7VJ60GmSNJElruEFMUSW/GWqwnxNLyS1' 'u/SY/BtHZzRaf+tl03mApxMR8qn3kwF4JucEtxtlCgVEhQnlE3/Dz+3f4v+lSO8FJCbBmOBppe' 'UuOAQFCAg1RVVegp9EVefjGuxfx6192SkGBINFDZXZqICyikihXNClNohxhUBUEJaS4APOK8yt' 'rpDb1u6jm917bW6B1E8+4tDEBSIDJ7X3VxtkrnVrGDEErSYZIX33kUxkp3TTsX7TnBDLl02RRW' 'nogHeC6knnLSEIAq1CedBXFPCo43zkEUQ9WkPRunXJKgGLNo1rbX2OdukiKst+gbbNzZfENZq0' 'KoMJjngTmHjW24RlQlApKWh066qjEoApP9sEMw9jsdhpzz/eOJRIkg8rnc3u++qXFwJEnqnW+v' '7v/h7mGocTqmpkL0szcF+trn1quHuzO0h3Tn4g3gsraH3VSyvLtbVRjQdV46vaPTYbZkIcUTEb' '0HWZunrp+RuhpP8EZVg3TGZklbYh2y+WS58DieCs0NrzNo3aOrYPY8WVWzcUwUxxKIujcqCI8r' 'iS71pi0dAttZEkcMWD70w8qyInuIieo2zN2w8pc8XkRglLiAk+UJiXDJep+T/Se2yeUOW4lNXv' 'ICmr9GvbbWgaCNUofkU8Tv+nSScQcf1Yfkh71xSrohNqCCyh5YyB7zKp3Dboo0KcyhKpaxjQoE' 'ZAcDLUDKMvO0gk5vIYAHPaJtrcNOj+gbzCEFWVs7d41uGhAKNYlqpWcxefOrfvUWa2OMQnYmn8' 'acc8OFafOzcIif/V2NavI8IwdY14jWd/trlLG12R9GyFuaI7Ws5xJtzNxFHIa4zX20VcMFcMfS' 'vDlb99lNQxgQoEpapJQyRMonef0wfV04a/dIBfslzz8O7QEobXiJ3RXondLLjZOIkBcQQvL0GN' 'JRep5CB3rT8O/1h7/Kv9d+PPV6SL2xrYur+xreuvfaa2cEtwNQPTodgNB/uE9meDx1gAzf5soq' 'bQUnRpVwiwyszckuQFI4RFQEAd3UobD1VyKB+hRVNzQ8AMJVqVCQzwo5iSmJOmSNJAZTnluyc0' 'wZBhBwsEXU5hnyOjftfW7WpEk1Uc+Qva471sWGI0aEUgQhJnTB1lu9yJ4Qps/QnYvNX0bNskkA' 'bVV5EEYR3fiR2+kRCONFmr/PjzcWhsUMEySov2tD8XiV7vbarrUXdHjDbLD0ROMVONuqm4ZPyW' 'p7wShggqQvtFOokqKvWOsG7RcL6eyI8IqO8GB0984WCHj05hESvUrvsaVtUNgGCxUxF7Hkw23k' 'QaSA7JvSXk7b3PAzhOpZDAY/K4Ts0mGTp2iIVFRQIqtyp+sU+9s8DWayj/NheT/Uu2G0KemVnc' 'd2phcbYkhSm3uVtYl3FQYaQ0UFInlM+3X3Zol8kqk11Zp82Lc0RR7H4S0e/1rI4+6brpp668N1' 'syuTmkGkzGB31mKAdiJFfyufvuKPr9uPx9N6XtfEJtG9NxN3NuvhPYKhFA+2XmuPGtIDiphyPp' '0Xh/ZwJVtdfWs/wBfESqhGZhgcEok0YbILylJVN2k039JYIkxVBO6+4fWxZeHUjQsT3DCSGnRh' 'b9BA2ud1kvXWmiJ+WiLNKVuIqsEG1qB0WkZHUvX0GOMnHtzzygS1ou1JMuVC5uOz6X/RrJGL0c' 'eFO6VQwLCNfF2Bl3Zizx9ltNggmdSthQqqxGtZXkz9SpDCJaUAjxWgfG11tJOT0pXafHGVEoIW' 'uiIQ2bJP+2QtildMRDZiApJcqJoX1helQwISIkAyHkbULucuQfeI4PN/PaIxgkGqAKaSKRlkgK' 'Szb+ISHhshH9z0bS4HDf404vgZXfPnFLVtZviMHt+CoRhtNMLooSWllKAgQms7EGkYxKYmWIAu' 'TLEUiIccq50W3Lm0SBXoYpKGJgV57NPLU3ljEDt/OMzv6nKs54Onmy4fXKxLGeoickxl7ONVLw' 'eapU6LmNWoCnELntV+aee/un5/03/68ONP98e5ryvQdnBlRO8eqyA2caShRzjYna2DYKc7JElQ' 'l4oaEARaD3Z3R8Q2alolBCykwUXCRAxMlza7UCQ+63NgA5duI/Qn6GM816CbRI9cuuYwoU9Y9r' 'K81OVgjSLNo/m0AnMbTFtAD5r2uiJ4lEnJB6SPej3H/gIaBlYpvuFvFGAAHZDtEH7xlV4kRzYN' 'HgDBSzAqbAF9W85v9O63fJEQVAhsY71XKilfp/rNvt0chI1kcVUjUk8AwuKHfuvgtfY5ZOodQA' '1toV3MiK+mlFJEqwwwulkCssim/GVPZ2A7soYyCZ19BiGEivRgRCMQEeERDGJDN4EBNagguaoi' 'JWUgaF02Dr+JGTygVJgBBD1QVEBEsD9JyW2ySJupbyp63BJEyAbOQUAFGWHwLtZNkdPG5ZGQiv' 'Hd/pdTrIUx+n3t0jkU7Ja+uthdRe3d3e+W7jJgt5/1TZ1e5OmAbCI6nx75uEpXdejpXc2PIiLD' 'HlevGx8QXUS77SVlEzqM0K4JEKOuyr+czv+7mx/q6cO//937T4/V1zmLX2Wnt2i9aJ12aVn74+' 'KDSR47Z4ZGSq6BtYUFCvJS3d1VBezsHRcp2mCEKMKdjAYmMhEqFIl04WOBxB/pwJNUVcRFFwRP' 'WOPYAPKb1wk3oSGuZd5x1ZB3sX8fe4MCqKoSEiLvA6/j/krrXU9NxqZp1UFU6X5pgqKLiIqJCO' 'MC2OfPXNofGWllJdx7hKmM5i/klIiiyw7mMSZZAlLDfpmXQ67fjvXF4EGRw6hpQJ9RW452nq9+' '8MMJSSnHaJn7CIgwiWT0Sn1hbbdbAi4GqEgW9JC0fBGfHGxkh7v0YFvZK5qjddSKukRtdA8yek' 'DCDElSCOZoIpuM1zabpoglM5W0BAWpW47zpxbiZSeHqy3rUbukO/aZ+Ilt8s0nZlkWn1hJnDFu' 'Sp2hVPCGS5F+irFTq2SKUKgGsVy1ZE/D+ukW603uyIw0Sdq16mGNpiGhh3IzJkwvf6tvsLuhaC' 'hinutplWE6PT7YqWrvvT1qKc1jbZKnMo0joNln6QER6S3MzKnCRv6DYf4X8W/v3i9//ePju08n' 'BY1hWvvqCX7YxYvr6WpXHj7VzK4MM1FpfEAYGL4zh1pHQ3SF0oPoerGdSy3o3jfeEMAGSDCTop' 'EACuKL3uLP+LKb3OnWRLhkRpc+aOiTfilEyVjElp7C58d0fZKrqkNcEDwXIgsZD9i1yEdY5Z7C' 'DfpDiQuQnxdZPfmClfgFR4xPY7hLLrvlSg7L0l/huEpuKB99FBkWlI70So9v9DhLKcpfTPOQCR' 'OCooaSiCwFKDbk3u/0oecphYCV5sgLEcQosTcRxIs9JHUeu0CgNRrpXYe+oVlBkQh4IDp6ZXd4' 'x9Yw7au3xXtFeDhaRNB1oxqnYKfQRY3uFx8T6h4B8W2UUDRZXpcHWRfuvvL93pKBEJKxCSQTKq' 'rSe/TOXCyJg1ggRSKBXSBkBkAkEeNliqMaggswarvAk7Zf8uOVPiY732QfcwjFmWsPUmRkHyy7' '7odhTGW2fCN2Ei5KAnVp0yDr/eMgLQ+lZYARac/jfZrvyzLg9nUM41TP55TERs1saXCTQdo/t5' '++7X/4zY8/rI2trckiai0WFlGkHQqvdnq1G1KKN2+ud+XRe6uNw3G9TezRQ6kJDDRywwq0Lj0I' 'UBmMaOE94K31oJMGdo8ekkSHjKRK1W0qd4FrbgN0iqhqRGw+OUQ2PdJN/ORZJHNTx2kGQfltv2' 'IbkPZQsehPAoMbtBiiWJkXlqC4Ps1q4Pqko8kvvLt+MV7mJTLxUvXxws6FCAWD9td2HKJ+olXV' 'o+wRqcj8Upev7P5W/E3yXWowDVMkMCXNCSiCjK1oTvjuuufTw8nTh9iRMgun7H9S5q/4U+aakM' 'sgUSG9kgCaCDBk1nZR0/UGj01AExESFA940Cu8RmtRm3t0j2gdl5GcqomDpFy+GSLCu2uEOBgi' 'QYVTUva8b5IqYxfc8MxOCb/g9VNOw5BJmAlADye0QEE7Ixxq4EacC0SGQ2ybipAwuipUcOXnb/' 'v7r/RTEbchkBQUy4ZWDbyaIie96zmYm+xqoNrQBGuSkdF6/OWr9S0//ofz+w9sGEZcf7Xq1fn4' 'EMtdcjeFwm/jU8zraE3zeEyjSOnRXuHh9frXf/vDu7kR7Ijuta/LQvWcOe5szK7Rl+PDMKqYTk' 'Oa0dv5fBgig7VLyb25rssKYiG7Y3EsIu7enEEa2HrUFv1ChI3aufpF2yaZQEUZvvaabLCUFBEK' 'ESK6XlRZoeibZNkTbTb4hOEnNnorGxTDVLYCwWxTFPys+0Zt+AJrzKCKEbHpIYj8XCD2y1TniY' 'gSlxihFAIhOkq7ZjXGvYxVsomSCvUecYhmppFk3BXYSHUZKalQRsGwjXWBjEhUef2VvmnH//Le' 'H0/lOvdO+TY9/mq4Y3OqQ4KV0gH6dhypIn6RHoR3emcPoQsId4mGi6h3XESnN6E7NmgI1Sypqg' 'NqNA20Z637HGQ4adafQktz+Fg8HyxQ5/ValsHSY0V1yTkdyujd2+oioiq9NVM3A+kwIUuXMOpW' 'NCkwsTOwqgFMRJhO0l/5j1/hw7U0SvUtte0OaPe5BRYMa8hZ9E4P73DTMIVxyTtKMvC/vfrpWl' 'upD21+/HZP89CdPuquxm6/8136Ovmn+VwnPvinnortWyvIr1lq7I4N35bTDz+9/+FhVUZtHd7o' 'FexJYyUfGMzOEVLUKKGRBBoxKPJkZ+lLZScUcjJ6yL5hbl7A5FhIujdCIMpmwk06LcAel37F0j' 'Wphqg09+XhjPN7l5jevBn3OwkahKLBkAt/qqvok+Cr8BllKUqytWaquuH7L4R0PnepPyMW8LmM' 'fSb52v9/tI48c9yf8PwwEOFHpEe9IaAIIR1QcG9srpKGq73oTjeXJyoQE9jWT3l64lWkRnMuy7' 'fmXx2OJep5xmgOBvKmY+sMp1M3rM02d+hNEGSX6OJEd0QDQPZoK2Njqyk9LCcKIiIjk+EdqqZm' 'vbaIuEDExVSgqjkZEBVCUYhCc5K+3r9vPPWyZ08vdrvRT8sSnHY5GcJrkmBERG8xKg5YiggZJ8' '9duQudDeDW8cASqZtsDb7c1+JLjnPGaXW5l2BYDyrdlIFo6Wa2g0kcdvnafJ6LxdW9TCr6ppz+' '0fDTC85Xe/bl/P/8X/6wG8vNbggbqpVefUgfXoz9+xu+e+//7vi4nuzmand9Vdb50cOy5xJ3t0' 'HOy/259mBda61VvZr4oCHwdXXtnp2JlNCozOpMBkQ26RHFBBYOqZUGFYWmLdNDll4CObiChPvA' 'mlA7Kzk3lUASOJoHkiVVkXmVfv+T/PDv+6vv5O1XEiGq3GTyRN37srRSckoEJKXUew+PnNKmrU' 'kgqYlIbHUzP89eLzoHCGxNDyC2+dqFlbh1gJ6Qa89jh8s6GAkGVLdQ8rPzAAG9coCKboqeTBAs' 'kG/H9le39WGRMVFUQkOSKdR7U6NIuTS+LmSbjlj18cy5ZfNSrM6rsJun3qs7ADGBqClIuciQoA' 'dto1MG3BFkBKM/zYwjCPa+HXTLOYmBxohwjxSdcamMoDDVFHCKYGVC2jO5aEmSK3Yy7NdWV7Gw' 'a6Mi4eEcOpY0ac6pKqiK5uJtEJEsE+qocS110vmIvEtm8AeMK+3oaeHkRKxdzKKt7nNVWS0f5Q' '3abGwKDaCHQ5Ltdhz23/L4enwoiIeez7Z3Kb8o83893d1OXdtdRNe++5/+/Q+/ef/4q69fu+ey' 'G6nTr/f1Ku4PA8eCdGXnW/u4Mklv55MJ1vNybMdNVOnO+/m0IDrCvS4iPRvFe3jLxmhxCgE9wr' 'vJZBK1UTxCesdafem+eu8NvZERmiwlSYpklmTLkZAsETy3tkjMoXPlptpfA6ClDz9+TDk/fLrH' '6Sd9+U2+/TaZiTyNjgCB9M75XI8Py+Ew7Q7D6XQiOY7js1smmXPezDdIFfliT8wTB+Aps9m6Q3' 'jmn8hnQc/Pfp7sramaisBEIbzsb3mSpaILkVQviAmiSFXhtfK7aSkHvMoCNyZKb1IXdpfmSIpD' 'p7anrSyiWP20tg8PjAoJRLh7C76/m3uzlKfmTErLmg1DrllUNxFrRUQwnuR9RQAnmUUgKimbpX' 'AXkaBJHrJ6710ixN17X+cWsaEnYCkcOHM4Sa563aGV6dwPdtgfMlV8N964DLMkkbSe1/ua82Ai' 'BoSQA7AbMqPV9aTiV3m9isec9Ku8juguuOLwsZV7v+3sdGkPP/C8KgPjJPs96cjEeL1I0WRk6g' 'JD9MFSb732j/P6aPujDnPaVUn/Qn7zstwHd+txEQ161Vj/2fcv3lwNc0qLpNt4fDWdQRbRWPy2' 'tD95JfpR3x/X+eyq4s7eO8DaWq0NpNLN1xQta6QIcU8WJpTwaGzsawRM64bMco+Q5t4bl87OiO' 'bhorahbpFExSIbmDfnGYyYjEmkLjEkfbnTnNLJGR3J+0K2/VUZ3vwzSSWb8dI59Y2c1nt/fDyf' 'z+er/c5UorsQ4zAmS+QFhLsp8G0mbs/sqj+SzW8h4XJmnn9zXptBkqnY5Z+ibbSpHslMc69dTM' '1MKN5bD1c2E5FSgAxRoP7p1Rw9Ssa3N/CFKCoa9aefvM5eG4Mll5Qs7h/yy4MMdnHBazv/7sPp' '7tTC69pJaIrTKrXbOEp2rnUWUA1JYm91SqqmomHbTi1A0pb1qZmJsOsGms8y7GReW63BJtsES6' 'S5e3Xvelpk9rw4KNZDjm4rJqqd2uRpau6abNdnM31x2Elaflh8bUUg53leVx8O+2EYsrUCpUoH' 'T8uaep8GnoPFBlVUXxTh0E+ef/Kr08oe1aKjr1okjYcyTgZYLMLiuaglJivkC1875LhWm88/Nt' 'hiI39Sy9fT45uJxT+cYx2HnhBQPc/rdy/3w6iGZYz1tD4WAFJN8+P5nhGPD+vvHvzdiY/LAiCl' 'VNcaHhHRvEWECJWeI0Q8i4+KpDFITxqmNKEEe3f4thhGtrl6hHcPdxAMB8lgGDTo3iWHOCW4Dd' 'dBqKiBGAu+zkhZBy03oMPT66/flpzDHSKgWLKtYIu4YJJFdBzTfv9yKGZmrfk4jmbpIs5zMfEv' '9PBVn1o/EuSX5v/393yR7L2fTieD3t5ePadAIZdKggJDgJ2LIyUI5fghiSGNkhSdiiUN+WXxvf' 'rJkJPCQnOC6fru7vjxDvTu3cx6be4uyt1ySmPK4yA514fj8nhcwk/nSmoPtjNbF83U4MPdw3Zi' 'VaFsTeqsNPGURLbkRQyGYUySTCQF+4b6kb7M5xXBWisgquqdET4v9XFVS8Opld+fsVCiyeLskk' 'wiT7tVU3eoJFnmFWa7wx8WhRV3b8t5rTUNZb8vw1jASAFPaOGp+qBZ92nEwwE9a4uVNRyjnSU/' 'cJhNS5ksnN319s0wjillYOOlBKA9FDXicV6W+ys54+pVXrqdPorXFKdDqq3qm3T3Bl1Z10VYes' 'qppHE/5Ay0Vtdl7a3CdelcGYGIqHPnf/wJD43dm3uI6jzPm7KBuyMcjAQa3BQmW/oeZpEECWLb' 'VjHQod7cnQ6lQyARGltpFXCniOSkY2ZQz51LlR5oAKnhSmqHdZWsW9SWR0SjQg6plCyg2bOA4M' 'ab2zY1ARAtCRhE1FQFmMYSEaCLABKfLRm+iZILEi/I5q1OjgvRnE/KsBfNqO1vocrrqwkX5akO' 'QDWpmphdiunwlIUqNVzrmnNim3WdiYMEe5q+zsu3Q9+VtIeKdnZt8/F092n56RPEVZMK5vN5mb' '31HuI3R2ZL425I47Su69Jrr+GUtSPIYAi8Nzm1CmfGNhPPorFARCQLBtBMsqLklpOIhkiQrfeK' 'HhEbOpeAhLvQlqWea6wu7xZ+amkoPk5j2o22+vG0to7xemzB88J8XTTZVEYeYxbrfRx2u7Vzmv' 'ajVWOM05BETU1UDAjICI7jKnCDT8wi1igmreXSwxoytVBTMjUmkUEU29ctIkkgguNDPZ1O/Xxq' 'dz8k1lm0PLY43+14zlptyGJTCT8fl7/x5WXmOIS3XIbiy7y0flrW1qPVcGer0TscdPTe/KHzri' 'ajFrCbesQm0bFBsoN5ax7E1gOPvDAQ1J7OEkm8AEKNC4IEcVkOJglU0aCrUkAGJbma1CDJ8Lwi' 'GnSluFPEoBlAhyzUEHOxFsAw2e427WQ9R97oKEJCgrhICWzkN0ByLkEu61p7v70aLAlJu8DpQ7' 'ChXUMUAUT0rcBUxGWO9VTifkbo8rmbA1OapojYxG5IkJ5z2sLDBkV1pJdj/Go6rZ5+uE8Pj9hP' 'u8PeDsU9xQtrWZHRkIplRfTl/U8PP30gkCzmc62199ZMw8AU3qq5cK1N9KiqSTWI3n2tFOW25a' 'q13oCsCsBMm7fenlZWig5gVmST7HFlS++6LpfljsCGQEwbxoERa5s/rVhCPqzp1GWcCtOYxqs8' '7iKt18jzUs+rD1e3ty9fTWMKpPtPnw575OnGDteSNLkRss8aCoUNKfvGVCYVkIAOmUgV+0XEGC' 'W6soqE0EKspnFAcsRWaAGIiJxtXfr8uMznuTshOn96kNM5xD3n5fSH1I7IlhObc54X8UgRie08' 'xJCkGKa0CmNuMVd77N2dCg/n2rFGbyGkBCJZRFLqwRVYm1q4N1EV1RRhRUA2X1QVPeaw6hCGhi' 'uaeRNqbHrXERYhpAmKIl+wHWECyWhudQaATjrYaS1sIUjJKh5SITWUYpIHDmMqY55e26tfpf/6' '6qcm02NPH3w4dovIji5yGZVE98dzVzGPaHXdpbiVkGwWWmkVUmkgRmEN8U3hU8TERC7csbhUtl' 'taFU/D5Cfln21lDgDVCw5PhXRyE/fZVrDI2OMvr87XLwHhV2W+G8p4SDcTBQE9U0Rgx3ef7k5e' 'jPtB7z49LquPmfCop8UshoEJVJU8TCmXdVnOp2Uah6Rqppb9trUxc+0O2rGFUHeWwAuXUILNIy' 'gbvq4Fs0I0ckVLsV+bCFSoVLEIB7iGovWYO4497mpeA3PwxdX+5e0ty2G6uvba3u7Te+in41Km' 'w3hz8w+/GkDOrV7dYJqufn8OS9Ri2ct2rToiAmJi1PALIT2IGqNoBClEhzXLGkMPIpyBNq+9ns' 'tutCQ5pePxXMZyelx/819+d3r/E7pDIWlQdFlmQy3CJF2US/fe47yukNioNyooqyYVMyZ0gfVw' 'j1odLRjRw0mREGNse++SDFdtvOnl1gHOjyLs6zmtj4gqIV0iiSYbRNXhaKzRSCjjsjwp3COcIs' 'EsUYQG9ognucptLo62tSSwbYQjqS3gMJLnLi6piyBpspJ2N/n6lQ03ffeNX3+d/q//00/F0jCk' 'IRemsQ8Hy5OqikFUPek4pXVdR1m+mtpXYx/t8aZMWbUidVVPJRtH8GFFC2nEQ0tzqAOXceIGSH' 'za7ycknrKrDUuhqk+cggsPXjZUMCiBAJLUP90t1/twPSik7M5fJ6DUiHCvZonk/NPpw48fH049' 'Sf9osczdvMXSIyIlTiVDSGp1H9XHQhPLaYzeojc6VXWwJmBGuHfNQbPmXlede7SlBiM0BXLt7h' 'EXgpDSzNbGkwSDBg65JYW7BKWDpy7njpmpdS4tbq6noRQnbw+T5bQ/2OsXUynHD3OUw+vvbhXL' 'vVm+zja+2r+L/drQOw+pbDRtMkwsXQhv8owCskSAHlDSzLZc4dza+bHef/hpeZzXZY3eoWb73T' 'RNwzRe3d785//539UPH4COoEfAsqmWWIQtlKJhoMIlepIQCSKUTvEEvcDmhSIWEDA0vHODjG2k' 'cbGyF6XqEG/+fA5pd6e2zuotLAvGxMjeNbYuWYdXb923vHHziEElk0jrW59ZhLKIZIYKQToL0c' 'ltLTgTrYsjjb6Jlaei40hGb6uIOCUfbu3F1+pZxqvYvWgtvFxllfTf/9tovdLa9bCmdE/7OOSd' 'JM05D0MahrybbFnWobX7tPw25mJ4M94fxpQEu1HzoHO45wQPOoY07BstbGVZ867bpCklA0W3zq' 'ivcAZEBfxiF12IyIbe3wAqDfhGHyapR8c3Or+6ST4ddIMtDUNIE5LaRUIG6XfL3Q/v5uNyXlpW' 'E5/d/WYnuyktixsd4UIxEZW+nmo9nXa76TCmWuOnjwvJnFN4pCSw2OTgTq3V7nPF0rfBIXo0l2' 'i9N0Zs6kGqhjabScB7n0oMoXB1xrHy1LYqwCASQB7KfjdO0yBqU8qHXT5cFzXdHW5/8Sc3g8b3' 'V1yaRV+GnI66+9T304SSLNlF2IGhClBxWSdFXgQtVCCbnokIRVU7o67x8cPDpz+88/OptQaIe/' 'h7lTK8/O4XP318uP/pnc6zbLxvQq25SI8GrjOhKoaurEQvcuGEJ4hIBF1E7ZLfrk8TT6pmFfNt' 'oVoXT/vx6k25OuD62/Pv/nb98TejNqJvqXxI72gGNxGxYIu2VnqLjSiuogxoBEKEKQlDGLKNGC' 'XAEARFootFcOsBudmQJhKhOly9knJjacxcqfDHj3L1Xf7un9f5Xqar5iG3g42j2JCW1gWWgLl5' 'b+ogsDjDNu3QrAkmCDMk5WieBcWYrGfBPnXVyKBmrJ46NfrZxV5M/PU1Pi3ywzo9tMEtW+E4jG' '9up1+/HsyShxAMlU7BJqCzKQrIRbtz8vMvr+aDLb6KpqCJ9keGQxNs0OJcq6wdk7L146f7ts43' 'V2ZsEuv1dSqp7L+6zV+99o/39CZloLuY+PHRz2tvrfcWxJDKNKynU19qzZYADbC1OC58XGTx2s' 'JqoHYugU4hFwAXvi6ept0bCd59bibnaIEe/rCiMu1Nc5KUANMppWQpp3J182K3G8eptCiVJhm/' 'ftF2PBfprdVRQnfjx3o1JIwmYqn70zK0TZ80NtEj5WeNI4AwogsBdO9LXXuPtR376a7PS+tOMz' 'VTTZJlaeeHH9/HwwPg4Z2AyYC+TbUbuCZRVbCvGq7KFRSjAEmNKipipDAA3xbEA6KakgmUHSJp' 'RylRe/IQGz/95m/aj78ZsYj38MpoEcGITaQvqYRFdA84EOiuYkrmhDFzMJWQjTrdOsJJj01sBy' 'Zdi1k2oAPDkG9ffSv7N493d9i9lHJAMu5u2BG+6PR1XXr98bfjV9/IsC85Mw9GFfHUqgO+rkEx' 'UxM0mIaAktyh3Zu4CczYxGbTpEgQU4ogaVZVUDtACd1aP5CPlR/PfXGcWr9b+wUCxBOK/Pb1+O' 'rmZthlTULyzaRTDlhOOUcg3CH+xj++KXVnGgbNnbsk0bGKJFKTCkO6tC4li3D98dPd794liwK9' '2Q/JcH2zT6+u+eJ12CDj3lSpKuxg19NNebzHfK7z0sPbUrMhJbaAKFv0tbXTmac15ooWMnubWw' '+kRl16jR6bsq+ZkeIRIEk6KSIzeoT0YA89ehKYDVoKdpMS6t2P5zod7Orm6vYqG1uIhPrtUFNf' 'EtEQr3Yyy+7HVQU+5AQYydCNq72RweRJRgzyFDn5tNYgCTaOwalxPp0tmU15mZf9m9el5OPxOO' '5vptev69J8Pml0mkATPTyau4c74Cps0pRUOqFKMbpAk6WWBnovdVlQASTNorFhYyCyOlGKltuQ' 'RPGSBgylHR/uf/PXBxxFevcesWwaoLjMjySCrXdhL5ZawCFCV8hoeDFCEMdzr92BEFEVg0GySc' 'pM0+H6xZQke9tPudzccPeLH/1ab7rmg047UUHfWnjelnOqxzLu0v5azJAKcFnPlxgdT2JWEQFA' 'Nmya9mdlKd/kFcRgFNMETWqb0yZJxhNS2U1UFR+P8Qck1WgSidu+6w0IgP/xb2eJsxlNk4hOYy' 'rJx5LKOF2X+EeH45/d9l9ee7Ls51DrVJG2CSyqJFEJ+CprhUBMW5u5rodsLaLN627K+9fX8tUb' 'Xu2AAVBJG7knQKEHwkOgpmkwPbeOMImkPeC19up9rm1ZxZ0RslZdelSPzqCLt+YCB8wUZO909y' '1/2IT9IEpaAzqZQJVIipw0ZyO19Wi9t3Vdzsc+3Lg4fKbqHdF8CNQsRhtPLLNMIgpvAFUt6WWI' '03QLPPqkakF51j29sKZRm//+46PBsuWbw+1ymFtLZf/Ckt7ubnJJdM6PR7hHylu3zpJ6b6Gqw4' '5wJckehApNt5XjLknz1WsZJrbq7dTWWVQvNKDoiKDA8lB2t7rfZ0YuNhyu83D97t0Pk7i6izJI' '3xSBniKXdw+6I6aSjOIB0rPJYDJmA6M2TylRrAa9Oo12eLV//Q00peFwuH11kGW3ftJxbPn2/T' 'J0OwxTgSFP+/BAEQINMUxpwAtJg5EbMnaIlWiApVE3uTIJ2TQ3FGDG05R3oxNsUtpbF47Rgb7J' 'UFJx0dTXbcFXaM05MaI+dX/WIMBApyY4lHAKGly6C46rEKpqWY7/3bfHf/DSf7GbwuXhvO7GBB' 'N4xxJIRa2zbWvGA7VTgONi7i1cte+GVEoZb3ZyvUNOWCrUJSVsjC2vbCs82BuaI8jegx3SVd0k' 'VD2ar0tb1pi71MZzkxYiiKzUjhoQMSEUsjEbvXuLp2HghSJB2TgnGmPqg2E35cOoSg9Q4WScH4' '+fPuWdFZfuaTKznvKnKOvqRAzTTs2gCduikLa6woOUQc1yMkAcCiDcNyJrPHlTkiTX5nd358PV' 'riQ7f3gU6v7qRlSHYXRI9/Z4uj9+uk/7nZbdbhpFcXN9czyeSZii947WfF2CvonpBn24vrFhGw' 'SZaJqPd6Wz7Mb58WEslsrQe43aSrbpsC+7cRx3ZSi2L6dPp3r8VKJG1KYWRGsGhKropUe4hiCr' 'BWQNtqBBdtP0YsopYa1rDIOoKnNJmbWyHMp3f6mHl5F3Q8rAelZ4fVVT7pHaOKlOQJII76GmIR' 'FqqQYgyMXYh2iuCDBv2uJoaUhRABEPDYIdSgrZn2a4TwsiZKO/bHrywrDglvtsB8C2tRUm6Otq' 'luGkOARQYVBoQIRocMPOXOpfCWTx1vm/+Xb5b79qN7uxOSKc0WtHcqS8TU66bGj3Htz6AktdH+' '4ZZO9lTMMw5WHgbkIozisgMEXqsACJ3tAaAO2NXqMuUdfoa++dJKLDN4JukxAJycqXIxgRCkup' '1bhf5dT61nNfGSBWMqlsYZOWRMCIDe+wF8lZxmTXO3t5yKppaV4tpWnav3o9vfr6AyB2FdO1JQ' 'uPHqwUTZbH3UXLJWg2LOy9h3d3tOEJXWLb0hCVTeJdLlJfAtLDhywvb6a59lOd57ZCIWJlGlrE' 'ejpJyrv9/vbVdavw5vubq2EcVHU8LDnntq7LPMda2UeqDuOYsu73w6tXL2myLlVEHDjd39x/+K' 'TE4dvvrq/2acyb2EIuKecipaSUldCc7t/9ZK2piVkupaytJ0tRa2vNLGlOED0kc69rrUK3Ie+G' '/f7qEKoLetrdDMMkKOnmhR5eNo8o13b9WhmgB3OVA6BnuUGx5OtIOfQHW+/6UiMNMFswVap7x3' 'DVIQPXK8xOXaR0kU27OF3lvjUit9lah26FvICuW4Ev29IdwYVIoSodPcIhGlQSMH9ircCTANVU' 'Q2RTF2NsNNYuFKGGhPN5CzADGCz+u+/jz15Nj9Wpmkuyqr9/dxTK97++trIRZgXucEpvIIEucD' 'UpOQMZVPYup1ksU6vIpuX/tMCRlOgg0Svq2tdz9N6rt+bdfYPxT0MpJdcWjNhNwzgMZlpbW5uf' 'z/OrNTq3eRlPNe4qlm6V0h2M1Dey+ZBVJIvmrJZSEiPZehxG09GmNBy++9X+u38sIov3EDFTqk' 'nilGMcs9q2/wDc8LTUQUs2j5JETeSyTnITjt2Gi6qber5sgsHuSEn+5LsXHx5rtP4DschJxALQ' 'YteHF9f76fXLm2GXP9wfwzGOxciIKF9P57V/+LGh6uHti+ubIQ/ZXQC8uBlz0qwaPrhIc/mgdp' 'isZBvHYRhsHC0gYgrVBOa+mq/J12hNy3z13WSdg0xXN8N5jYfT0r3VBbXhdie/+vrw4jAcT/Pd' '6fyff/9TwF7f3FhOY84spQy7ZDmJljEntXK9Twm9/aY1j9bEhlmn3puqtodafBHvYON6DHeb9o' '1lJ8uJOcarnM6ttz2Pb9MpQv7Qrz/plSACKSW7cNsdQTNsUu8CSCho2Pr0AoRuCJ0LNNm33QWk' 'RmwslctaLBepvlWLuZPdEdsqOxAQlwuj0bd6QzoU3+38UIRm45THQ+mtgfHyxdAirKTLdKx26b' 'ElnYSJSZlGcFs0h963vQuts4twgzVttkESdHp179Gb9+Z17b4VfpfmUylFbdBsVqSUAkjKuYwD' 'BO34+Phwfz6dA6aQ3ng3t3Tqx9XmTf4nLIRmllTUbMyWs+yL7YZx6bFSGhtkSlYsDUEqOVpCum' 'RODpFkgHFTen4a1pIUbhAVhMcT7lBI2mXbwVN0pm4jaFUxqoAvdvpwthcvpvHtYTeOW3pWxrQf' 'S6/18Txfj5MpyFYsDWVyj8FSeSt4fXj9aopAhFnyZJrUnFQKcqrOVtvNIQ0vXzevOdk4JPOeoh' 'eEtfmg/ao/tOXsRCN/9b0M/+Cb1noCQS5rD8i6rvdLB/lnv3q7f7GnrCLSj/Xf/Nu/XVpcT6ND' 'Ajb3qO6EZNWyLGYPbebCHLwkHR7hHkqQtPBODffW16RKSD2eBD2wdro9/iDsf3qdvn89Xt8OEn' 'z57jfHsGjx/sj06KOEAFqFENFAgg65JTOFKzdnaqLbIh8mlXSRsPVEVdX+hOwk1eFLD5MEYyDU' 'IRYBIyGkP29VpxhpIln1v3q7/MVLFxmOpz63/jYziWDQYcxQ6cuK7iAlXIYiY5FS0JtUhRa693' 'AJQk3A7r1uWCcVMYh76kujM7r2xYOttWDvfVPqkb4pMXOTT4upjPvdVc4JCEvQMmI6lP3t1TCO' '46OHOnSe550tL2UdsjSKJjMtAVdVYzrs97t9BmO3243jeP9wuju3BnXNFTGfjsv795bTi1evdd' 't7Awh4aSVezvKm9LwJocpFJV6NsW1+v3DyLhoFBLn1iC7M+A2HOBZLhq+vb+RJUiOgogJ4KjaU' 'kUCCmZV4WkwlsJcHVREVXdd2BnZjTkKQIRBhc1GPcZcgSSSuQkFhW8ZoX/HuYC1rKBuTrcPQvL' '19c2X7ARCo8v7I7tcqKlLX9ftiGtLWXu/P6VAgjNr//Jdftd6FWFqNFu52XNuxNRPkAg+QyLKK' 'yQbXcgkandKplOiOKpLTQKL3tnon+yDxq5vyYi9TTl9/dZNvDxCD11+J07uI9a7pzLJdPgWShN' 'oWSy1D1J42HG1DpI2gIiECE4iZkUCokNRwAHRKxwZRQQcDculbXDRaudXLkBAJhb3Z408O/unI' '3x/qTZafPvlvPta3V3a9l5s+mrKe56XSgz3k1SvJWSmJjbFGXYOU5shipK51tYCWUnbJks3zus' 'znZYnVXYkMkwiPVLsGkzs9RJBVYGhK5pxymcQGSlILSIcYUsb1zTjeyPBpOS8Z0vOyT8dxx7dl' '30NSHlJGyWop2VCmafLzkq53vvrjw8P11SGPmHtlGinlEfT+gHKziVdvl0QvsukIbjuYsMlNba' 'buuNj2hrHdHEhshVUEEc9bvNMTkQhEIlMSwZZnOoCsAVxG8Bd+H6gXLOOGThFyy+Rok+17o2zL' 'lWC9I8JMX5WaGO59l5larQERz8Yr6WMGVSR0nlcXuX51bVdTIMQABA5FRaIzIGU/gu6Pa50X73' 'Vac85JIpLptipWU5KBETKN8rKvQLRm3V1HV9GITRFRnBYR1aM7qwRVrFjvrWTbKIru/vXN4e1V' 'STljSDChN4oLu+5GQCBpkJ4SoBpZWZInQBRp8yOUIEVVKZ2hUBoQpIiJEGxkUzAUlyRHI1DphL' 'qgU/2y0F2JCErfND+g2Dhel++X/+5TWSp/d8Z14fsHeX3d/rcH+3jvv/94+vGhWk67hIe5m+n3' 'bf7VW6W2h7vVVIlQ1awll3Jaa3fLpQyDqTIaFXE3Dz/M6BHdOQ4xCtdLI3+b7EcRTtp3WC2JjI' 'dWSkklJ7dx0KyA0AZdmi9+tw4fl3LfrHt8d3j13S9epv1VRICiY9JkAJEVcK4Npul4bLX1THMZ' 'fMx52u+mP8z9fU1rSOszbEAwJaoquK1MQEQ8b5wPBSGJ7BK6CX9SXQXiW+GVVCI2AkX4xnkU8Q' '2le6FnbNEjPbMv9DMg/VJOCERkw+EGI7bh2uu4f6PLIof3GM4y3PpjFh+BG1vQF3pF1+q9IrGF' 'qGDM3psI3Xt1GffXeZqCgbTN64AxARATcSIixPRm2g+p1zUloyCbQSVpQFQ8ANCDvcu69nWdT1' 'XoOZuIuLu3qK01ByGTc9rvc0oqMuRtUA52j9igyuxBjzm1JDKoFCSBZAlAOqNxqamLqUC0Xyf9' '+iCj8cMCAVM293QK1C5B3a5N0kzoI1xACwSFIQ5xbnhoBDUCHehQChgk5WlQc1lvIRqiCkKgP8' '3yqaqH5sW/36//zff+52/HWuM/vV9f3qTXN+U8475Hg/3nn+I//MT/Q5qnQoEMY1HS0rYLXg6W' '7Hbytp6P690SPzzEf7i33x3L/Sy0nISvBmnRKi0JgojALvUXo0/Sh3StiIdP5eyaFd9c6/e38e' '2tXE0a92tr8dv79u/fscn4Nw/xL3+5+5N/8jrGQUwMFDAQsaERILI2iknOHHaHX04xn9nIiGSD' '0A9r+zcfzne9px+XFan3VrLkkk3t5no3DGUcrZTUW6vOuvbk5yHqYDATRqgkVZrACNXLwjVxD7' 'VFpzZOIpKgsgn1RGwspQ2HuFHm9TP2RET8SdlMWGsp6XCTHNi1+jJCmLQeryLGZT7g1HUMry1W' 'BFZMiDUCHo3djW55UBHvben04ZUiMURzgiCiI7iJLlOgtnEFBUKUlGMiqdtkYFBRELLRW+AhMU' 'gZU1qubY7eAZEhXwTEI0RCyOhhpQDbIpKKbSGautDD14DnrGpl43PAmwx5W0sKCFpHSWkabciy' 'S/znb/DLFzp7f3VswlzhD0us5/TJhw5CaL7ppKgjFKGQIhBtQWeUCDo0SN+w0mBHUARJ0ENUJH' 'yDD5ja9pVs+dPS5ftDK9L/0ev1r96Oyn6q8Rff7X7xZnx8XP+Hu7V2/9XL9O6M/9tvyr0v//tf' '4Z/+yZVmXdZwuGkiu7B7j6WtqvKbe/3v/xfcz/l9lEMREbbQD8e6sIyGRzeEKylIJik4AWzhTo' '0AQVPcDvHN5P/gVRfiXCNp++ZmEM7/8Er+m//VdzINypCL4FIoSKG4Lu/uf/P7T9eH8e3rl0Jy' 'l/T6SrZKrEZvlJDvr+ptuPhyX/nvlrEf09xXlWxyjiSHw/j6plzvh+vRXNPjPCxz24kM6APnQ9' '4gV+gqqqXnwfPk4g5ATR0bhBIM9q11AZJ6UfvbNpFse3wunXgQ9K6qNy/K3cfT/+n/8n//63/z' '//5f/+Wf/Kt/9V+lq5fjze2L4/nDsT7mIcKGhrPz/8PUfz1rlqX3mdjr1tp7f+a49Jnluqq6ql' '11NxoNdMM00fAkQAJ0IAEOh5BGGsVQwdCEInQxobmYf0KakHQjhUYhUpwQyBgajGhBeNdAe1Nd' 'Xb4q7XGf2Wat1+hin2oyb/Mq85y991rv+/s9TwEOZHEHq7UGSrtomTpWl9ENDpbrdqmxx1WzPT' '9Tr8fXb36QfQyI0XTCOU3hH0TLS4GpgrkRIBEmBgBkB0RQiGHSoTet4kBEYBaBQMQMERgk1Eh4' 'AAG4AhIghTm5RSnh5mrhVX1kIq3GS2mXDUoOd3BGYRCRRUOZIzN/5wLf2EbLxNjuFfaVhppGYw' 'OksAjwUFOemzxX3XYjFhZKEX7FDHEwCHKdKUME7izIHGEi/MGqmWafKTOZwwvr+oM3+y7J9a55' '51L3Je6u4anrzYPT4Xdf69/dw0dO3Jw/dQOHfn/unDhpLYlyk1i1mmq4s7B5pHaBCffj5rkT5L' 'CHw3h9accJdgW+eyEWcK2b3trIvpK5R4ACGri7ByKBf+DZxk0vF5N97RxPUvn5F+PTdw+7hi83' '+6c+fCt33RxrvSLmXl07Uc/3m0eXIkwOl49Pa8CilcXxKlRLX7345N4w3FtSN3hBJ/Pnm3jDFv' 'sgYIqECUUNH17qboRtgiQwThYWFj6ydgiDQoPOGMScceJpqLDtIRVZUKqEJo00DYuIJCTCcJwb' 'JPPDQISEV6xLBAALQDg4TDGU//mf/Oa//I3fgPP7P3zdxwf1n/7WYcnXm5c+8cqP/NRLL3949M' 'RgebQmvMeuLwa8pPDWDK082u/GXV13i/XBUS37/+H/9t+/8eqrzXp5ena57/tnX3jhqZs3nn7x' 'Q7fu3n7+hWePb92GOth+vLpRWoVptNHKVLQUU5sVKcRAQhEuduW3REZwR4sPJDgAOVPOVyypWs' 'IKAmMn4BZqtU7Dvh/2etH7G5fTxd5+6O7ixY/dgYAo5aqkMke5/vf//Z/GrAFATAzhM1ASAxj8' 'arQZgD4f4z3MZ1+aRcz+NWQWYvzg9x+dEMK+z6vXAEEygGqWmAUMiK4w/oEt2xefHdrQ0xGzQJ' 'eGOuD1dUKwJfO+RtcgEl5OdraP8wms2ueezsdtMMSipfUyh4Ms2rRYeK2lqE3eF9+MVqqNTo82' 'UyIaqj/shZAF6muX8u6OPawaAUD491FpV2IQQiACA6rVfvxe/cwd7Qu+eGP1/MfvxuoQwhEMwA' 'AVgCFo9n/ZaQ9VS62nT4be6sUYT50sGo5+qqe9H7R8fcFuNpo/7uOdM52CH4759b41l7ZpFg3n' 'RPPmYaaNqiqDtiyIQRAUmtiXLTVCkhrXkT0oPACdmsgpL9ucMiGaW86JKMIDHHLibpFRIsIlgD' '6YDrdLJrcv/c7v/qP/1z9+/53vffrpox+929xuzcKG/RAXw7cvyx/3B5//yZ955cPPf+PV1156' '5tbZk7OJ8sc++9mzJ0825xeNyJf++A/ffvttrf2tVX7qeLHZ7c8uLs9HeP2i3j7sAEzrlEk2g/' 'XF1uuDX/i5H/2lX/jpD738bOx2tp8AAdRNtZRSSzGzsHCzK6sfRkJgpBk2MiOu2lWTu8ZU8fp1' 'Xi2h6AdozSuaG6jB2WOdikcMl7vdGI8uR8n54y+ccNdC04EQpKvBT5jjf/1/+v15yomIxoBx1Z' 'YLNJilYAhxNYIIdDcDMzBQd/9ASyE4o9IDMFCRDJzCFeNAdMl6MZEqPbvW+1Uu69JdVSPQ20Qd' '+UmeAuN0H43QswcaVlcZn137h2/m8309Hfy7T6iAvn0KwvzDd+xiX5fLHChay8eu20dfvNndvR' 'UUoAZVUVH3+zKUs215b6umdDl6VavVX9s0j0fcq+2roM46bYgPyDyAYYASzkRD0O00/PhzctD6' 'jSMue/vkJ+4t7lzzyIQAMV45MmM2uHoE4ka9r49PL5/s3DA0QCueDeWdC7p7AKuMTx+Kuw+GD3' 'f1nW37ZKLTkhqh3hMipXBiNEBVxQARCVdGbxMLBmM0Ca91lAVHR3WsGuQR6EQoQjnl5bLtVtLk' 'eV7HM8VeiHOSlGkueoOHe+RGUgPvffObv/mP/9Hv/tEfSXfwiWdvvLiYquqJxPPHjsW/e18Pum' 'hFf+c+vNvzpMOqkUe9B5jkZhqVIhApCayXcq1NrrqZ+gFaDb4cA8AWAgCRSIj4op88yKZp32/a' '1PzFn/6x/+Xf+eV7T1238432o5m5e1U3rUN1DzCzK/IpOIZ7VI8Ij+vH69XJmnL2ADpawtXAAG' 'N2lYLBOOEwBXMcLHA74jRe6beIwBCaBCmDMDDHlbIt8L/9f36TmcNjNvBKyvNKZZ5pgkeYu9dw' 'I8LM6I7uMd/mI8LcA6IaBBAGDJMtkpF7BeiNfvbZ8SeegtGJG77W2r/79vg776dbK37umNXKH7' '0Ll2XViJJrVZIMNexu4/cO9x89kQ79a0/s/T2d9fiJE/z0C8unjvnareM333nyf//tJzdafuVG' 'fPTlazc/fOfKaQoYXmEz+kVfhlosJq2DwnsXeln04SXen2Q78XbCiyk+MKGCR7j5zMFFllJLne' 'Kptf63f/POjaM2ViusDmWK9Squ5EwI6AAaoQCCKAAjWMBl0V15shkf79SCz/fjG+dwOuXzya8t' '+CjbcRvXl26K7+3Tm7sGA7tsw0R7Zw3xcA+adY+JriJuPB/WmQUB0TEIAgiBMRhj7orObCFCdL' 'N2sbh10rZdkiwonJIQQ87SCkWF4Gg5jg/z5en57/zGP/zdf/tvL0t4t3rhOH/kGtYJWtaXT2Ds' 'x82INxe+bPD9sfnKaZyVUKddNbPctE0pU7ilhKoQXsBdw0dDdxrUTUMIIpxofkPSUGOqSuidBC' 'JOY91sdquD1a//7b/4cz/2wzfXx+ejn2/3/VSvt772oagCzgkRD6tEDAiTVfZ47unbsu7mw3gY' 'ABkJIfFV38ocVFEyLBcw9TBWyAIfRO+IOYQAExAAc6jqsOep4v/uv/u/Pnn7O+/ffwcAw+XuS6' '+c3LhLc+w7N5y71bV77fKIm24sVac9BwWSulsEBJDrYHAovkIdgV55il849uPj9O1XL964kJPW' 'fv6jXXPQwnJRz3djPz042z/9zFF7soJh+tpXHvzGd+DB2KKjIowVATUT3GrLp24Mifi0ry8ep1' 'vXuxdfOEkny3APB6rla3/yzslhunfvOLoMXQvE87U+SsHL3rb9MEyj2jDRw+34oI/XzpI7S/KL' 'gd/b4eXkAoREFsGIEG4O4EZeW6p/8wcXP/DC4a1nbhgSCkJ1SFeMgA8aazQP1yEYkAFGKNXPh/' '3Ffjv54215svPXzuO9oQPgqSCwHTQBAScdutNZpX1FQV5gvXtg7+zSbsJg8ZlJ/5+QMxgcCYjm' '3bxdwVcwGDxw1qcFAAhdWUIqUNu1C0YMdEJJmLKsVsvDNS1bOlwtdqbv/+lv/+E//4evv/Mo8r' 'Lp2ust/sCNfG/p66UdcLx3EcM43VrW0wnfGFaXE2xqXEw8VE0kOSc3U9NR1QwBZ+tfVPBiDoYG' 'AUEEDgiuTgjLRXO2Har6ok0EPo7TWCsL1zLtNrvDg/XTzz7zsVc+/4lPfYaIF+Xiw9ds1ThAUq' '27fUkEpvMKvDYs68Oma1szLcMQHojBJEQUc0yERIiBBEFTliCEUpEJpQlASIhJwtzNQZVMMYt5' '4MdeetkdKCUDwlDwyIKEaBFExChdt1hdf+reR37o6U984ejeh6zWsd+7A1JMFaYapvrrP8yfeD' 'rvShxcW85LeSgFMKIYVJ8u95Ry7iBUAQhEdPQyjKf78WvvDqdFvvIomfNnbpcPHYSa3VriUPS1' 'c//QCfzAs4fpxpHXGswYSIRhimUKEPXgLkfD2KRAogjcD3C+22235/vS9/hWr199wNuJi8IQvF' 'OsLo2AVq31Kpcx1zVR/Xra/fpP33z+mePDk0WIBCKqBQLyFSMAEGfoUQAC2JWPxmsUhc1Yd+Nu' 'P719Nr65gTc3zcMNGkdVttrmHEgOxNcWspusujHJUPGpo3qns68+TICgyAyEMAP5gDEEIgsm/g' 'AliT6aEMyEOp3jlAQR7gjOzIBkAE2TFy0ycAREiKGjEydJh+sTePzwd/7xn/3x7yp359CsE35o' '3d5cxvOHfmsZy1W+fzb1Q3+Y0/vb/OqeKQCJ3x9BHZKkJLiZplJ80qs1DjGPxT2iehQ1RHQNmk' 'UeYWiWU1O0biZLDIeLdurrWItZhQhmMdNpKuM0jtN4597zP/qTP/eRFz6yotGsJ6BVAw3iMmN4' 'AdMlx6JriYLRw6tZTOqTSbkC9IEQtWxdgmWT1UsimVcckuZ3gciiiwgigZzBdHe++ca33/ij3/' '59/OHP/SijhKvBVdyKr6rWNtdzPVxr8VKa5cHzn/ihj/3YX73x7MdW6KyXdxalRj5a+g99dBW5' 'AQBXgyv9L8VcldCYLi/vn+2+8d70zElesR2v88HRykrZDv7q4+G7j+3PH6UXj/Qzt20/wkGGi4' 'L/9nVoYfrffnF569mbZT+dvX7/4GixWHXn2z4LCuBut1s11ByuoW2hTWAO43Tx8PLBxfDOpb3+' 'BHfKb27wYqI2NUcLPd2AejKw+Yw8+4iWbVyM8KFD+6nn9Uc+fXt18yZmtECygFKhlpmy54k/gB' '3NVFAHMCAOABgLbsa63++noR/xG4/qH71P7+9XqAASZhBAlPkw27UWCXnvsalUVIigY63BSEwE' 'iMyBV+N6MAFLWGchqXso0sz/YkQABTC82mRFRDA4I8O8qURI1KSGRTiBBZG1K+33u2//9uU3/8' '20v4Ru+WCQo4SfvCFL0VsrfOH2IsJff1wyaGZ+/SJ9b2xOWjT13mhEnoDHoRoYgJhp4rBAABxK' 'ndQ1aKxGQuHODkSgEcJAhFOxUowJuyZ5GVVjrIXIEVEVa6mIzkRuuht201SffeGVH/2Rn7l16y' 'nVyxTD4UIOGsngxwd01HW1aK3FdYJQdzwvcuHJ3RFASDzcPVpxtnqyWgoWVV0IpoRMkVPqFqnt' '2odPLn77T7/5W3/01d2Dt9f9+893W/zxH/viHEG8ckTDB4MnYnenK50omYe71rIjaV78+I/+hZ' '/8+b/4Fz723HMnMY2oxa4C3vMJOVD1au9V1dxC/eH5+Paj+sOfvE4CDkAiWKfTB5tvv7f/vffT' 'u3tpRNvQ3cgOFggvHfovfWrx7HPrSN30+PGj9y4cMLXy2oNzNALw159Me89h5fmT9u5JLpO9fz' '69ehZno42WHg3JCShkDrqqAUcQqgERIgsL+6dv2IOtJvZf+/Tq5U8/Bcu1+YQRSOibQrsp3IZh' 'TMuUjo5gPuxwglCYFNwAJYKxTrrZbS/7/VQ2g339ifzpo2ZXpToiEjMiSg1YEh53lYgdeVfJjY' 'QMIJxFKH0/Hj4vrJhDYMYeXA03EH1uHBEEQZ3BqHDlUgiECGggt8zQJkFXAs+CkJeEpu/82eZr' '/3y6fCC5VWruj/m4qx9bYQK7edJ+6Pp6V6b7m03DEsZvbtp3a77T0VDs24McCkw+F9I9JZjTFs' 'V8NBiKq7kDF49JoUmQCQhgVHcARqxqY8FM1ggiqFafqmm4oIeHKkYYRgknM3VQRBr6vVL6yEc+' '84Of/ZG71w9a0Uxxsupef+fdf/c7v/f8U3dfeenFxTKvmrZYvRhwW9Bd1WFUZdNrLVa9+I1/8R' '9ye/izP/Fjd29eR9sTQtt2nPPZk9N/89u/9Tu//we22XzsSF+56Tk1r26W+IUf/8n/BPGJH/SM' 'wMGJCAE9nADdzcOIBcJLvyVJn/7kK3/tr//Vn/jC5/JyCTqBTRABVUFhe7kzj9zmFCEZ1WAatW' 'mQJFEjmMhcGej0/cs/f3/8o/uy6SmgZkRw2Ls/t7af/ZDd7ODwzlEKunh8djHGZY/z8u9iGL/3' 'uP/OE3y0g8sRCCCxm4UDOUi4N4mDwdXmmfdBAyfLkKDXLwBSTsHV9OYKfuaFKiEv3krPPnXsnM' 'axXx6uuc3AHPtRL3bbfX+xqSeHzdFR1++G/RjLo2V3vIhWMABKAAiWYXxy9ubj8fWtPNzHaxf5' 'rDKggF8xQSCIAZGcidsO3IQQNCCUghxI0MNNr6JSOOsKxMXBbe6dhztj4KxjDWB0BETQCCASkI' 'ZYkm0X59+E0zfetWuHL3/++OS2AbTn31q98S+G+9/dGhAvttGeVr7W4IfXI7K8cHd987h96+Gw' '22+Ol3k/yVu79v3K15q0LfGtC0/MN5eyKWVJcJhMONxocDKSx30ZJhfCyWIKyGgLYQLfltAgAG' 'fEsACGBE5gam6KrmbgZoqIYVDrgBAAaTuM7qVhCsRSyzQNh+vjZ5559sa1k+eeuXd2evpbv//H' 'Xdv95I99/r1HD9959/6PfuZTR9dPmFcEjjB2aAl8vVj82Te++odffXXTT9v9JNJ89tOvfOYHPs' '2S371//6tf+r23vvsN6U8/fCIfvwkt8ncv+TuX6bUd4k9+8WdnvAziFcjZPyBTRLiDmNeGce5W' 'xtXYEAW9H3YQ8YmXP/IzP/3Fj3zkI83iqK8EADdXeN7X0z4y4+Eq3Vh3guHBTBHuc9F/V2I36v' 'sb//bjcjlCKKhGhD1/PBVHt3j+QJ8/goOWvvPETnvuA6r6sehBC7vJv3nKD3prnB6cbh2jGoIq' 'EQaEBxO7W6SAkzWs2jAlYiCkQcmBz3pMBC9cj+uL8om73a2Wjg+aJtwJciYSQumm3W47TqPS2d' '4RYZGgVNgX/dTdbrlaRk6YwPaDVhjdX30wvHpG3920Gplm13HAugEEnJSXOYj8tIqZzKTrFqFE' 'ZeDqpCgMAV5n/RrO7QWYaf46Ex/QgQEQfSbSMwJh9qbLPrX1YlUfduffzU++2Qz3FejPN93X+s' 'PP/fBf+PT16m/8QWNnT0bax+qtqVkJHTZxpyldlhtHi6bDNx4OHce6bc96fHeUR2Vx3NYh+P29' 'MKJ5PLc29uiwdqKjy965N7ws8KQ3DUREdSeHW2tUg6JxOc34EmjAMiHzLOgK01CzgAC3eQE2FV' 'M1IarVNsPYMLhacUTwZUahqexLdUTyota2i9XBCtPq/HKnZURuU7u4dXzwiZeee/qp29MwCeMf' '/9mff/lbrx0s1wlsGIaqFWy8dXJ0IPXyyftUx+eO6XoHQAGRvn2ev7Pn88H7GvjzP/eL8wMw5y' 'muAp/zWwmhVEAKwnALJvT5j83TiWCWOo5TGRaL5eHxza7JSAhuc0tmrKrEJ4dHFHZ4fHJ8sNz3' '/W7Xp2bBi6P18c3Vjeeb68+mJH0/7IfakC3Ye0UAu7fyg1QvJ39zsxwUQ61oAXCAEirFoABDta' 'jjqGMtZZYWV3dEFsGmaSX03kGBsFLpsocJuUtYauyrJEYhXDa47Kjh8qFDOl5JP9iuhjDeW+Ei' '02YqwG0p1R2C89za+dAhT+5CKJldQVXf6/lB3xTH4ploln1DImjYdjWrEQhPppea6cqwTEEGrh' 'ykFgoE81QHKDyumE4z5eED4gkDhgdhRSCTRhiW5eFy9/qNy28sLt5EKGZi1EzcnJa87rxLurbt' 'vppnKZbPS3tqWSF9fD2R+HHX3D7Ey0L3z+vtQ6Zm8dYFToo7TO9u4+6SzyY8SHgoesjTOvsY2g' 'D1tXmsBIT7CS+meNhbkDC4hx9kOU6wVdtPNhlYgAEsE6wSYagFuEOERwRjJPaIqCUGVTMDM2TJ' 'XvsSQy2LTAKeoy4IRvW9wpPJN6N2FBB+uh0A03qRF404JcB0kOlwtUgSZ2fn/fnpwbILCS02Dq' 'MTEUUTdYHT3eP2RlOj+msbeX3Lk8PoUIwmC8LAX/hLvzQ3kYgI54ovonuoQ1Wt1f/jCv3KqjKz' 'pCohAUQWAgdzJ/RGEAH6Mo0FiSQJCfFkCgCzoIyA5recuyJhTs3Rreee/dQX733kh7ruuFjZD2' 'O4CaKDl+LF5u+RWtXiFgCqbuZhOmcXtVoZB9Wp6RYAACjcpITctg1CILiVaRh7CzHHYjXhFe5/' 'loG7I/FVYBHYbqzz00d6ZwHmIExxpY4NA4YAJoII4WDCGuSA1WR08sBEBAFKhBAOXJRGhT2QhV' 'dPEETzAhmDDWYZ4VUoBL9ffwEz+778IyIIXQJ4PuOTEItEPexfu332J+uzb0aMTinLogJrwK6m' 'IdLz60mwd6Rt5UqyVbkskihtAg4yLMUOMt/p/FIR0O+u6a19ezmmjTYouJv4Qa93VnKnGe+u6h' 'LwdEQDP2j80vi9XVuDjlJkli89svPqQjhvZ291dJDs/g7PJ08UHigE1xfRiXtAUWQ0RiWkHFh9' '5k/AvgaHZvHkburng3fZG9COfU3+3g4ejGDmT3ovrg0RhgsFkCwTgldhXlI06O71QLzjeDLi+9' 'v6ZMT9ZMVVr0IToeZM2MrVjKpWCAhiTvSBdOUXf+GX5/90Zp69qPPfFLdSCuE8Ep1nIDZLS6ep' 'jloRMDO2iWZ5r4MheBYhIlOvxWcdYM6ZiPEqUzH3s+Zxurt7rX0t1qxPbr/42adf/tzxvRegW5' 'Wx16Gvag5gNpteZ7mEuV3FkMLdzMZxUjVAJxZCyqnhnJAIIpiQBRF4zqOWyfphE2pA/AG7er7w' 'zBd+WTXw0o24t4ZWCAOYSAHdZyG6EBIiZsFeZaPRZSoeHo2FO7JgEMFCYDA8H+G8ZARC8mqkYH' 'P+/kr24XFFzZ1rvEARbmbfr4DNDTbAYEImgdQwxnp6uLx89fjiT9f7twjZ8wJIJGhwLE6GfL2d' 'rjVVXd8ZZIQGAk6nhYbcXhZ16I1XiY47O+ngvKQV691V+dPTg+KLa62+uc3vjQHI7+/xZ+/Wlw' '7KvvCF6kKaqQKSvbbPEfH8Wj9+s/3Se/rv3r96hmcq22GKVYPvXmoQCEYEHrbw3IEigrmDB9O8' 'MYKqwAYIMaoPDoJ+s6mg8dbej9toYlwDDdUQ6Bvn+HAiM6/VqgcBdhkawVWGHJUZDxvsoFxjPU' 'xaDP7N2/blx+DhZCosOqO5CJjIzeaQXBa2q9kMOAALXHmmf/EXflkkIaLOfw2ASETkrrPtojoK' '0VjV0cwwEQHZdjetupbAGTznTAwIEO7MTEQBBhGuEQA2e7LhanOMH7j3ZkS2GjKj22jTGM6L60' '/dfukHb7382YOTZ6vpNI7VipuGhzm64fw9Na8RrhbuDh5IOKd/iQiJAIFn4iczkcx9TkQ01VpL' 'rbXW+p8KDYiIiVdNfvlWfXYZLMSzGGdW2iCZUZAzQXX50gPbe84ARJFbUSMARgxiX2VUxckEEQ' '0D4KoRMfs/EMA4ESIxzS49C46qasXD2a+YyYHEkhEAa/Hx9Lh/487+6+vxddC9UIepC06D8WQI' 'joq8TvHM4ThpPRvTxtLgVCxlgsR00ugAsNe8EHtqYYPLZe1uLcCs/uFZJxw3FzxM6VFhAL/fx0' 'cP6w9cL9XkjUu5tvTNxE/GKEH7Cj/1tH3kNn/vkf6jb+GmSspuiuqWOXnETAsnwhLx4mFcX0SL' 'JQISKCJqoGpgeAQ0ZOa0razoKy6taa9EbGsu7D6pPZny5STv7kMEn2xcI4iMge8dSMOTGrVU77' 'R2K9ePHUb16e3z9A+/a98614yO84pmdm3Oz1xcQbTwqlZkAQDBc4saABIx/vIv/c0rdO0Hgpb/' '6P91D4+pugKM1c0sZ8JQgNSPhSGQohFqs4ggRjDLPEJl8O+jy9Q9IkQEAEv173ORUkpmVkoNmL' '/+BBBaBtci7fLk3see+tiPHD39EjVHATQN+zJNEeBOqjqnRxxmO4IjohMQ0YxYQfTZQje3C4lo' 'jg/yB8+h+fcNrm5mM+RSiD56A585NJpP34iBEgBPRny8g2UjifG0hzMVTkk4t+JdiiQNIBMiUD' 'gizUtpRMYwD8X5NWnu1KDmcrHZ78ZhDIdIHZFze5zyAsJtFjwApeHUz78Xl+8cju89hQ8WsR8w' 'lmmRhM8shyURDATVTsiW3ZBAi8WD0k3A7DB6XmZbsS9bnNy2k7QEh01U50ttPHgo8ZWLdGOJT6' '/0e1sJoGcOuPOaUJ9djRfK7/bNAHi9yed9bEo9yPAXnpZVE3/2UN86pzd284NKYTC5CdE8NsTw' 'qdL1Rf3BOyW7ZbTeMADR0WbrN0Qi3xtuCiMEY12Lk7FiYTABAIez2ry+gYspbnQZbbi/x9M+gO' 'zeiq83sJ3ssLFPHJzezmXRpJb1G0/af/IqfvfcEvk8uYkPMml05deCGZs4oxYBLBDDZ6AwIBEH' '4F/+xb9GTHPZzBEaSfOr8fvf5YgYig3VTL3LZOHmNEwV0ZYNz428zJCEm5yJECIyEwBYhJmpz8' 'I46hoJA1MwD3cvaizMwvt9r6qIFGgz4cO01jIymKxvcHvz1oufvvnhH1ic3NLiddybqkW4B3iY' 'uc/Oug9g61fOs7meAg7o80F+Du8HEQXDFX8XDJwiiDyTdII3DpA4hoJTsGrM/5p+rBXZsQVu1l' 'kPYdeVx8v9W5uzR9+4P15aI4uFNOvlYnGU1fqL88lA2q5cXvSVVreObtxplusVjwdn33j9e9/7' 'zumuFpjdkYzCq5ODk5sHB0fcLO+s4Zl4uN69ud9erpthtcjsYoJO7WUPl5UQ+SiZUwMY19o9Qr' '3UBAEOVJw3KghNpgCMTLYQY/aGabLYl8WdxWiQz8bV7z6cUpIbLX33Aganjx7jkupzh3ajKQ/H' '9NpFh0TPHcR7Q2LvTxr9kWfS/Y3/yX0n5ED6+hnQjLVBLBaIIQCIMRpeS/FD9/qGSl9YQoRLUa' 'xOSwoASwRPRrio6SgrhxIgot1cglarQcOIr274jYvQoKPGb7SBat/dxulgDeEnbjWN724009PL' '87VMDa8Gza8+gd98Pd7a6jrRZP8R63YlfQcgJDUlmtWGYB7FIxEiACNYXC058Zd/6VcQZ6oCoI' 'DgLCoEMyfCeSanYZt+hKDMGAi1Rp0MKZARIBKhoC+XucnNTHWmcAQ0x1Krh6sFMWXBTCjclBks' 'NYsNLaoaIpVSqnqEE7qHq0NffOgHiooRmLs7L/zAiz/0cydPvVjVh/0uwsMwAuzqUD3LbJBovm' 'kju9Fcu0Cay0g8rzgggAhjDqSHIOYOBdAhIjgCHY0BGATJK2aTbpH0aXp47fKbb7/56tsP7o/b' '/VnR88qjMgBCENAH8jKmDG6BBpyYAZUxmDoidCtKWTg5OgESMbOEF62TBgpEw3HQ8u0Vf/IW/8' 'DddlPZaukNzwbZWzQJb7Z63JRMKhz7CiVyMSaii0kicOcJiRpSprjWlAhG0geDrASvN76rzUGb' '39/yl8/45RP54/uxM316TcfZ7jT1KMVgdqnprb188hoX9zcu9eees+OV/Pab6d2ddQmea/U7l/' 'jdjQiBmSGizUZVglHtkOFH7w3XmvrOdhle7yz0smAEtewIpTpulXaWlhILLBx+mOKwC4A43+O2' 'p7d6eWOPZ30VlJNlHIqi4ekYfcEba3vl8Oxus2t4Wi9rBn73fP3mOf/z78XjnhoGn0P4cxNoTi' 'ZDzIeOWpUo6GrUgMUAAxjR3AJZMAZ1/Gt/9Vdmflst1jaJAdX9yimK4BGlxqTGQlYMAXIiJB8m' 'V3VhzIIIIUg5p65rCbxq5bkigAEAJEwO7tUwStWUcgIeVau7UJ5VzzPgYzsMRZ3Ri/pUYqgFXD' '2A5+3b2DPA7Zc++eHP/pWTZz9Sai19H1c09Yjw+eGfQeIOoiiYmpxSQ5EIOMzCgdNcfzV1BaUr' '+xHi7H9lCKKCwtQEakvlpp7dq98+3n/j/tvf/b03/ZvbZsQFEjU5CQFiEDPCLDglwJn/DogWhA' 'jCCELzel1QUkQpdcaJewQhMyE1gpNFEk7gxGRAEH5zYR8+AiQcVUjouKkJtQCHe3VSZAIWQkTc' 'VpyCNajlIMKF+FGjCbw6A8HNzg5lR0HL1dHplH7re/rUYdew3t9GCbzR2VPNuM7w1laywNfP6C' 'OHHuiO/pmb6VLT//RqJW5udXqvq0jx++832zqDzmaDClxZcEJ/9hk7EH04YkY6bMqmQEPMDAmK' 'aVyYnJV0IH6URndsCDuyarYZ9KLSk7rYVzzv43yyk4UcioIBsUPYM4vNi0fbFQ+dqIN890n3zV' 'M67el213zrtLy/I4wYbC6wkIGH+wcGXBURd0cPmOMMHnzlQQp1L+rF6WeeK/hTf+mvElFO7EYA' 'mliqzcSBWcrIxFGKi3ywfzeXhP3oQ18PV9xlLqYMkHOaE+cppcQsSCgYEMKQkYUAhXmuiTEbhF' 'a7HMZSLaeGicxsN5b9UEq1WufLt4aZmRICMSM4et1v9yz41Muf+fDn/+rq9kvT2KtOs90MPBit' '4HKifL0dn5LLVX1om/Pz87M3znY69pvd4MvrR/c+enTr2XZ9nBdrBHKrYVU9gDqnLLq7gfdvnv' '75anjzlmy2l2dffjD+2fnynX4pIosMQDw7sAHpygc+50J57gYAwWxMAsQkhEIRQIipAiDN2TV0' 'Vwgi5FmxQ5KEuUvcNYkRkLBWAoTJp9AoGlNAmo3OSMyEjAzsEPsaTLMuBatHSqlBC4jqYEBHDQ' 'lbQ/4rz++qy9cfyd1VzURv7nFX841FLGFcJP3OWVsxQcS9Zf36KbxyI148kP/fW/GNc8pM19r4' 'yPH0TBe/cz+/vscG3WY+87w2Ct8V/9hJ+vzt/rUNrRs7EX8yoRC0WIFgqOyGQNFxLNAZpgZrUR' 'pVNiqT267SuTYXg/VTqPm6xaMcHdXj1B91/VOrLaLe6nBy/h/+fP0H7/L8teySZ/LqPKpz0GQ2' 'F1TjqqESDHNFEQRmnKELCaIBcF9RLRLgP/j8xV/5+H38u7/6n1+O06TmQQDhgG3mTIQYVcOCAI' 'MiapgFJGR3qx79UOsER0cijogh5CJcigtDzoln0gEEMQMAczASM2fGLBIYiMAAjLgrZbdTjcDE' 'QlhLXGz73VQJZT+OCBiuEZ6FqqpgIICb1bIPz899+iee/5FfyEd3p34HWgpm4O7F5t1Plj+Gx9' '989b3HX3m7vnGhvTFiRkZCZALVWKwPpVk3J3dOnn755lMv5INrbbt4Wt96ZfhXd8bv8Pb0nVN/' 'd2zeGrs/OV28V9OSSRCckIAjApjnVYkjz71ziLmBDkR0ZUxFMoBZWAsBzDITpB2sKDHOJlkkRM' 'KZ8MNt1667HCWCYJn56HDl7lP17VguhzGTETAzRzgSAWOtrlcnP8LAxM4iahERBCBMrdBg1a15' '6XC41g0nnZVCl1PTpjhIGDYlgjf30lc+aOJaw6+dl09d9+eO8H/8jnz3ElaZa+BBA3/hdvn2Y/' 'jKOWcJDPCAVgTC+uoRfmPd/tC18Xzyg05bsEGxZSMIixiC98or8Rx6wMpRFyK7otXgtKbJIYHt' 'tf3GKV5OCo6jw40FfuZmOeFNm3arNo7a8aSNf//q6l9+r3kytQv0yapBmIc5LATAwQACopgzYJ' '1LcEwRDt+ntYq50WReJjpo4Cdf6K+1m0+9sPvUrbI9N/xv/8H/BoM3ZSoWY/H9VDYFCJDZzZAF' 'zQwAa5gDsUMSKOp9bwCxbnlSWzVNovAwdxTGnNPVjCXmoxgjzz8UQARBDAwiFCYBbHOO8KK+G4' 'Zx8pSZSLbDMI7l7MJVnVMwRWYo5oLg5uaOCKau465brV/4zE8/+9lf8O7wRnn44+M/W5/+3tfe' '8v/3a6v7NWVJNAOzarCAyNV4K2JeTnqoYlqko7vPnHSvpG8s0vZyXL+zW50WeTKCIySmTljmKI' 'UwAyJiXL31UQM5YjYKzhQfIoqgWdPiGFn4P6IYkOai7qQ4VRcR5g808QAiBAHE3GZqhBvhddc1' 'TcpCY9Unl/22r5yuVBkGLoQQjAxuCoEiQhBX+DiMg0RIvBtrRgaOqtBwJIbdFDeX+IU7o1cgqA' '8GeYC8f1MAAIAASURBVHefPnKklyM56Meu+e0F/JPX09fOqSUwdwd68QQ+tKxffsiPB0QMDwek' 'o64Rhvvnm6ZrXrmWr+PlJugkFQA/SFHNB8cpoPe8Ak8wdURLtiAz4/0E95W14s2llcJffgjf27' 'pG6tA/dFg/fXNY0eb4YLq21FWG/jL+1Wvrf/LtlgRWKYphcTMLgEhMDC4kfZkyc3UoVh05PDi8' 'FQx0CB8r1soUdu96+bEX+l/41Pmd9RC6Q8TNo4VPJud9iSvDh7QNL7rlcbFtqb0CYTBCDZIEyY' 'TDKIkhmimil+I9eWLyWdzHwpkBYJoKEBAmQkQCD5+LEsxMeHVnncH6zhhVESAz3jo+NPPT3bjr' '915ptWoXTVzutNdwq4jUpACrkGS/7RFivVio8LYvX//tf3r/tW988tOfvqFf+v0n53+2vfXeXg' 'npqAsHyIhO7AknLWbRcnIChciU1geLaSpaSuwfvXGm38Ij4uuJgAgIPTE2EBDkkfyKSEtpZmAj' 'ImAgJUKwsLkZiRhA8xyfWDCsndELzLO8KBAQmJhbCmIqFQNY+Eq8Zw4RIQTFjYyy0G6sSETCCe' 'nk8LAvF8UMEZiJZw4NOCgKsggBePWYn6fDnDLT6W4yAkQghy4TQ0zqLPT+3v/g4eILd+pY41zT' 'vZWPBkfN9Jl7Yk7/+nv0nTNE8FJRAxQiHCcFJv9gg4hq5oAHq3w2NqG4gF0WPQBijBbBIzYmGj' 'hFoGvD2AgKlJ3JqM1Q9aKmRPTcQalOXzqnN/d0b6l3Vvt7i3JnvTts7Xg9rZuIMX/vPvzDr62+' '9piXEl0moplLZUmEwxEDgEhkTVRUgZyBBQIRRuPzgqFMHveOpp/64c0PPXP64p2+6cYopIOpt9' '6jA4QI/h///t/vycepjrW6ESGKBAZPBkSoWi8H2xUrpVw7XJSiyFTG2O6nlKDLtMgz2UsRkD7Q' 'XJda3QmIEZ3n8zEjMzPBFQAWAILUlBlTShHGzI1QThSBj8925/0EqJKaJtKm328n12JdK2ZFzS' 'giEYFj9RqY3MccU7e+1q2ObRpqBUrESBERxBlZEtfwfqwcwEQ2bwfYtCISd7klRAgzLTm3qmbz' '4hbmwASmJMQRmBMjpXmaNKsxIYANIJzm2dIM9QhAR8/Ms2gBWfjKrsc+vwjAJ8Wq0TUJOK70bj' 'w3NBkwWuE719a7sa7b5nDVANL7TzaPN31KaRYPAs+iMEiEZsGCBKQRrVCLcVEMAYAhIXbCCK4e' 'GuiORLAUvNHq00tFsPNRXjwun7oFD7f11cf5K2fp4aDoaI5G4YGfvRk3W/i374R/3zAZcdBmTD' 'xM5fPX7fnlcFFM0RPGqAnJhiD1nKOuuRBZy3mnMCgUjydTEoznl2XJ+mBI9zf+1LoXMUK7dzBe' 'X5XrB2O/h9NN+yfvXv8Pb7dn0wRe1QgR1YyZiioBZcLJLCCEUeZzMcJQYywBQAc4ffRmvXd7fP' '7m9KMvX66aLUxuU5QpcTKUVM88eaiAWshBJy34jlmmNGvKVDXChSncjxeL46U93I7bHnYD9soE' 'RuaSmjbpQYvCOFsvhSUltAg3J+dANwcCNrSIaEg+SADMnD8MR4uwIFfnQDOvqtm5zc2tW4dPAT' '65nO6fXpjU64fL60iPL/dVVR0ApM2paGGSlGGqBpg5LWoteX++Pjh0h70pBBNGIkmSAqilWLTt' 'OE5TBae5tiBJKMCmMrCIEAUmDZMMggkRLVydCWc+OzGje0ABTowUTIyIQBwRxVEtMEADyd0Agb' 'AokLBhsIeHBxFiOICHC0JmUIf9FIkDkYnd/ErSHICV6WKvu2E0xxpw82gFSO6A4RBzz8CrWxgW' 'BBEwpVqVElrghakiZoLkIYTjqHNG0N2JgxnPNl5K3GqjL/CZu8NRqm889idDPp1/ARwRriJ4LV' 'Gb8M2djwWS+DxfI4DT3dAtmk8cxWEad9Vy0lJgH0zkFXhf8Zjr8XKPKsE4mG0KjpomQ/J49nA4' 'afqLsbmc7MO3SgvettO99YQAZ/v87187eOsiPenpdJ9yihurdqipH6vDzATCpmkoZnEwAFImKg' 'ajUkI8zPriev/Z28MXX+nv3rkAUQD3qqqM2hKohAsnrJGueVXe7elw5bJeNWqWDRYp9lrNXRVU' '1QyC0MxE4u5RWw/a3a6OSsOEe61lskWSJASASeYMXWz3WtREJAkRE5oxCwMxExKKpHmC5ualVC' 'ScrcCZBQHMrBroWKepEHOXmpNVc7K+c7bpz/u9mp4cNFZpmHD2MIfJbvREmUTDXSTllAGiH/um' 'bU7aXA3MkwMbQMOUMgpDl5tisBmsKhERYzAzI7g5MiljqdEgdJlTEgSvRu4zvAMFmDnMwlQAAt' 'gJcF6FNgTCZBUMLEjMYnYzWEVkNHRENgVi9A9QtUQsWM3VIHkoWRACM4WBA/S16BTIdHoxPD7b' '7IZptWozz/iNOTxE6sEE7uCG4UEM5lpCGWlBSGAReDFWCjBHDG0aIIfLXZiLDhW9/KWXdRq25x' 'u6rOl+ye/t4mLySQHBhcEMUgr1uJjAwVQDAN0hAFaL9NKRLWgaIFhKURpBMrmGVsWnGl2m6EuM' 'CoA8uk1VrrXba6nvMIbqf/5O+t5FPOqtafOtVXd92f2e5dMeL3sYTTBqZmxTmaYy9t61TZvy5E' 'UEEFyIPNhME7kI7kc6bvQHb/VffHlze6XXZVo+NQGr967nQB0KpNrns71d9M3xQSSCx6f+R988' '+MM3+cFlHC9RHu4GMnLAEEjEwtKlhAhetNpUzauzVySy48PEDua4KTYVFWYicrOpqju6RhC2bS' 'PChBFuQlTUbSbQXt2Krz6jKaWx1kyITNVMiJqmkagzy8bM+2kaprHJeX3QdEs+uxgu+6Fp8mFq' 'xmmyiGWL42ib0QHFwLeDr0nAIcJ3tSybOF53xDSagyfEq90fErQM61Z2RXd9nWeKkkgwDDABFI' '59bwBgYDllIaeM7iAhYQjMkgICdqN3LTQCYUGMSbABGt0khIiYsKqWMADuAhRwdCcQB0SKcPQw' 'ImeERFi0Oob5vK8RCrSo7lhVmYIIPSohTZMD+DgZIRSLUllEgBQBtEKX5apJEIAQVnVvGkClgj' 'AxWG5I1bcF0d2g3jlufvgFKtPutJca8XhIb2/s8bZcFPm+0gTDOuazvbcgDDoogDNCGNpKuXM8' 'XlSCcSrkSAkqOR6k6XhlpvTGRdp7u0xxIOO93K+XO/Z6OqZvXi5ev1y8txMg6TL1ff9Am+24CI' 'wIXTSU6uAh5i6cLEVAMTNCTEQpC4RVcwY1lM2eBqWffqn+6itPrh9uLjf4p2/QG6d063Dx0Tvl' 'pTtmC5328OVv4v/0pe7+nnc7TUI5wbbYbsCUPAucPnaBaiO4uVuN+b6qCgDRtLRMuc1QLdTNNJ' 'nadKV1QkaM8EY4mHJOWqNaaCB9P/lFWDWqYyMCgFVVgJA4rgYJ2HCaXKFoSimLVNWUGIDVNQml' 'RHOqdLPdp6Y9XLSCfNbvSJhzhqrunhu6s0wBsBtiMxRD3A6BSIdLON3XfY0bB22b094np8yYrC' 'IzAyIBLVtizqMVdyqOnFNLEBDLhhjrxb4OmprGOqEEBIA5swIWcyRaZEwh20mBsJndCIDMtF6w' 'qqkGIighBgbghIFBCFzdwTEn8ABm8vDi8xIutFJgEIOaJlZzCKfiCkFdhmdv3+LUvv/gobkiMo' 'QHClLUOlRgQmxSTNNIFI5kThdq1UICAisEp0Ui8n4oAdJPLgAnB6wO/98v+U89kxYM94tclvxw' 'E32lMK2OxLRgTWL73g8zH7d1LKEGYTp4dMB3DncvnOy2U0xVIBTIrnV+0uwng9fOuj9+pzteye' 'fuXt5qLg5w3wmc9u1vfu/k66dNcB6m8WgFgo4oTWoWWRoyJnJMtVZ17Ie+VhMRyYm5DXNzN1U3' 'l4a3+9hs9PaRfe7l8uJN/SufGF99f/f/+Gf4rXd5W7hoFLPE+e4BJuTzqZzuIGVuGHIjNWKqTg' 'CHy6t76LIhGaYCAZPb4GEO1d2DiGgyGlMCBEZ0BOT5/U3sIEKBrOhu5hApSSfETNNk+1I1wMxt' 'Tp85qAeGVbMaQTS7xSGHE4aW4CxafQC9SmcSelAjydSMvM0ts6lWh1gtGbHbjzU8UkpzsNqsJo' 'Z1h11uglIiP9/p5Z6alqYa756Nq4XdPurGomPUJnXCDADEmIWbDLnSttfTbRkzXz/AREwsJ4ew' 'XOTH53WYkiRcCM7J/WVLEnwxmo1xuMxNxe2k0WALEI4EDoEsQnIFW7S46vICYTg0mcxcDQjnBv' 'dV6NADu0T7adpN3CSa1cIYmAieu32w6pox/HtvvsM8R3TdEMjVDSKC2IAwAGugTupApXjxmrLM' 'J5bENvQVkcfJJvOu8cWyqdP0/mZ7ueieOb6V/Pyy4n6Mi32U8HCfjLNMt5ZSFR/v9PaBX/YxDo' '5Ioyoj/OJHpldu7y62w35cCddVY3dXe6/y9ffb1y+XD/d4ezX80rPvoQ0PzpuvXrbnk7xxKm/v' 'oGttwYUlBNMwVcaRiKqDFzXTlMTnhGPArmiqmmpZtA0iCyEmPh9lGPTF69NP/Nzu869srzXTg1' 'f9//wb+B++LZX4sPHVwiAIkNHjyWCTljbztVWY60xrJgABQJb5JgYR6o7/zX/1X2JEiRjMnbi6' 'hYOaCsu8VM4sSZyIwlFEilcrXj1kLqsgUIQgMSFLMOdqMNRyfjkYBGCiK3X5TDvzUjwkGkErcV' 'E8E60X5OE5pTAjoq7NmRMhuFdmJqZMGABTnWZD0n7fj0ORlIDJ3TCgeJjFustt0zy5LA/PR1WS' 'hkQgqi7a9ukbnTS464dluzhcrlzJMSKAkR1jUHu80WGUo1U0CZomCQN4XGz1suDREhMTIqN7ag' 'QizrbGhCdLGRw3fV00nBLk2RCDQDgTz3kz2VR9Lpr6PJURUINaQ5gCAtGIKAAY0YEueiPHzK4B' 'jXhK8tS1o8Pj5de/+3YEMPNcrCLmMDN3ZkYAJHRXdxRJl9simU/WcrEbKUgtwI2Yp2JFfd3Fai' 'GhlSiI6KDtitlumghxmsJDnGbtYZwsaZXjvTPbTfj8TRp2+mQEC7yY/Geex1/56OlpD6OnRaLw' '4WQRrz/x//m7q0aaW8v9i0cb8v1X73dvXSyf9EU4EafQicAn90WTw4FFIiIL5dSUUjCJW01ILL' 'RoUqA8PLvYDM6IDdlqtVSj7aBf+Hj/xVcev/IxIJrgnM/fwv/uf/SvnDUrGpEoMTUSAaQaDGgW' 'xRzCEou6KYQ4mqnCVW6MkQSpmuJ/+V/8umMwiHsklkD0cDUtVYEwMQkzAwJT5rnfjUjej6o1fF' '7wBCKaA3m4qk/V1qvcSlL1ocJ2GgJwPgAQ0NAXB1sctLteawV0b1rKiQXBHAiw66iV1IggYmIC' 'gCTETNXdQ4WIiC4224vNNBosG5bE+6lGsFtdNM2yaTTiyXbYDpE4TaYRtGrxaNleXy/3ZRqmcu' 'P4oBWpwWo0WY1AEbnclQBjkSR0smhHDSR1k/dPx6ZJqwXsh7poUpdJhC/6spvg2rItEZttWbeQ' 'MzVMitJiMEfKubqfX9bqFOAAznQF6TP1CJbk6MSCMWNXEQFj3/sMJi3ut68f3T5ZT1N95+EjQC' 'KEuYMbiIJBfNUwGqvVioumCzA3PzjIp+cbN8zIkyGQzW67wwUkUve55BbkMTfwzaJEeBBGONBk' 'zmGtRFUsSiHQsE+TKUA/xb2j+PmX8GJXh2AhcNft5OPEr59Hx7uXDmut5f3LZhcL8EpYj1etWQ' 'RAKVpqqF9hZi0QCVOihpmIU0rb/aA1XOJk2a7aJmGc7qbznZ5f2Hrhz9/kL7zc/42ffewEp+/J' '/bfjwUX84WvwJ+806wV6zMl7crDJDQPDZ2FdmJlBtCJRZ4B/qM4KCydEBORAgUCdyuBTzg0CBo' 'IkalPOiaZar4osAO5WjckhCzVNOmxTId2U6u7qPE/NI0iE+7Fud2PJDkCN8MlqWUoZq5+WkpiX' 'h3mZ02ZfAECYzDCMItNprzrVZdOpBSx1vjRbEkJUB2Y2g5RQCNs2q62KUlKbNEAD5/m65FLcfU' 'oJbx83d47SZS2PzhFAisWmL0h4vGqI+b3TbZvo5tGKmQVTrdH3erBokPzJZSFMF/2wyBJB/Vhv' 'n0g13/ZYKzOBqzfZjhccDo8vyo3jtF40jy+rkK1aWbRhOQgRNDLz9QMsCk+2BYmr+3y4YaEyQg' 'gBikUghDvMyvUuz9MCnEbLwm3bPDy9NMDZgD1vr+e0kWmoumpUo1IpfGykWx/ki/OzOkWivKlV' 'IRJHZpCEakqhDIQOU4kajkCEYGogXHVuVlSNEPLtxGYBgFYMyccawxTLDhLYb34jeiNUm9yOMi' 'waPNvtljyJ4ZffU1VeZAe9WGRZtG1VnN3AnDK5oikSqVYD0gpIqLUmjnXD10+aLtPpLvaTUvZ9' 'qcLy3HX4tZ/Zf+EHd7fXY5zBe99a/l/+FX77cRhHUWXituVSjSiKG1MWltZBEZxhLn8hkVkdig' 'oQoANCJGidq0I1I0IMxP/Vr/+6R0ylMnMj2azMnGIEQ8IAVlU3A2APBcDEiQhzpi43Q4laNQKq' 'ToACAGUqc69yqGYOjLZetOtuQQz7abrYqQNG+OVem5zDrJp7aCCqci2RhBcLP1qmg8UisbPQLB' 'eb/+TciAAG7Cfb7XamgcTIoA69ORlO1ZDFIhqG9ULCLUmaKo3Fi3skaAhvrDoW3uymsWjTpLZr' 'IjI4nl3W1ZKXC97sbax2uEirRvYGw6DrTprM753Wi51eO2ozUZAfrzjczrYRSba9NZy0TKtWug' '6EOXO0c6AKYKhwtrVavUY0s9EDqZoSkghkNgdQRa3RNAzgQ7GU5JMvPPVku3vvwaOc8qykR8KZ' 'dFkdwFxr9Iah0CYMqKvFQSlDNcsiQtYk1hqXQ58Su0MiXzJVi727z8D0YHdz86tCNAQFBtRqVg' 'sDgc/hFvRwaFPcPuHSl/PJCejpo/jMrc1Kpi+/27xzqbVGOBAYMrKkRHC4WCaCAQwMq8eun6oH' 'cRTDVZsiYrurLPzh24u765RcG4AxCjQlix6n9mBNz94qz7w0CWn/pPzZV+S3v8Wng573GDSLwZ' 'GBHNDB5s5JSnmu388oRWYy8whkjKJe3T7QPQJ7MGNxI2RXw1/91V8TSQRk5oKQMwVjRNCcYUEi' 'IrMCcZXrnb9jtToDNjkTkQgReSk6THUoAQgYUTQAosuSmJ1IEI6WIilXi/P99Oh8GAuoKglLIn' 'AY9gqUNCJLHLbcZVovZLXKiEgw0yhMJDEjuI+qhMjICLDZD/MXYIq4HOrFZb3Y4cEiHx2iFb11' '2EICCBoNarW+Ysty41C6VoYal5uBCCNhKw15c7pDEDtaZauxGcoyt0cdoKTNOO0HuHGYxuqPzu' 'ugePukzaJdRhbc712DLgdAxo4dPSSl9dJlLloTYILLHrb7uh+ZAWmG+wR0jExO6EGYmLVaoHhU' 'dGhyevlD98q0ffPR4zmTCxHIAQCu2E8lS1cmQ8kAExNCWLjV6pvRn721/vhz1954//F7j3cWQD' 'OwzAMIqgUEpytnkpYJ9UoshoZgprWCG0aYMJqCBZjXZRvPnqQnWz3bDT/wlP/oUwVi/5V34NXH' 'NCkmNA9kAElyfNCFKwJD0GYqFpQo92XyqGreNKQWxeCglWvLdHshNxfc5P65e/WFp8r1g9zJ9P' 'a79nvflsdDGOjFOT84lyF0ttxQUGIwiAlM3SWYmQN9zsJfqWMBrCozI84jB22FCcAiqlk1QwBB' 'CnQGrOoBgL/6t39VmEV4ZsABmgjBfNkKUIOrvmPMyF9CIATsp6qqTCEpZcnHC2aAwWHXl4v9CM' 'AaTgGEQSLTNAnLerVgDCFITTtN9XyY9nvrJw+AUnys0LB4GCAfdHrjuFm2uckyl9IQMQm7+5zg' 'dwB3Z6SYIYzOM6S6VN1aPHg4WSAQjNWFsGmQwxBx1eVAvNx509DROi3aNIwWHiUqpyazTEWmSm' 'UKSXT3JJ9upnCsQYuWh1Kr4b2bLEpnO+1rHC5ydVezrqOOk1V9f4PFtGtkGOLGSZrNa13Ds4lD' 'FaYC9y8NArs2CYKHtYKmIKwAgUhMKAm3fblzsr57cghSvvvWI2SeE9UMMFa7koUBs0DG2I0Vwc' 'OhV6sl7cbyuY+e9JvNu+djysxzOTacGUqNqyxx5mpR1CNQA4kczC2oH4s6hQURIriGe1gjDghQ' '4aPX+7/08rjM079/Fb76Hk9WDzMvWsnCGmBaHWhXvBYMg+NlurYuN478E/fyYVP/6Z/QO709d+' '3wxloywYpq08T1dXn2qH/mhq8X2O/Su4/jy2/RH70Nj9XGsSBJ0zCDMhAQJEByhACHmFuAiOHA' 'Pqc+AwCwmqKHsNQwQYzwSQ0RMzM5GkatVX3G8EW4w9wb/M9+7e8w0aLL8+d1jkyaebEZfT6bmS' 'HnDKBmhshXzq95LEpUqwFy1+SuIULUAqfbYV9GVcwZW+GI8IDMmFIydw1npmsHywjvi0Lwxbbu' 'Rw2I3d6Q4MZxun6wQPAAQsScMSKmUiFg1bWlFGImQiA6P9tPRUePecq0anOTI5Aud/rkclSnsQ' 'JQtC2vErSZA0ASulEAEDMaH6x5sy8QBAmBoMWMkB7tIwxeuNVcTtZPFsYkfLqdjpd85yS3Ik92' '034fBpEznm4hEz17g4n9rYexn6CGNyxNE8dLz5gYETNkQa1+tsXNSEVr21g4WSAKogFD5CYxGT' 'P0Q336xvr64cHlbvvkcoeEo4K7NzgT7SHnNkCL1n1fDxYc5psJipLV8rEPHbSZvvv26aJNpvMP' '8IMMLKgbtI0R8KQw+0EgHNCmGkMxCLQgdkfwGrAZa5Pp5qJ+8sb08x8eTxbjb78uv/ntsAInC1' 'x0aZ1zm3Eyn0IutmUYh3vreOmOP3tPP/ocvHBTVg3vTvX3v2r/+lvpiWGbmDBEQLIfp7RMlgMz' 'k5tuB3xrF4/7EEYA8gjVGgQJCcGreyCTB0I0yO5hGIShQbNZ0JFmpIMgVjXHaIjm37qAQCDy8I' 'jE4uBmNlXzCKBgIvz1/+zvMiAJJ4xgIGbQIKLi7h46V4MBAKJtspkR84x3IHAgBmCr1WBG23NR' 'TYJtalV1qKVMxgkkpXHSzFzNIoKZ2rY5aJMgVrRptKuYu6CH7PqREBrGnFI1C/fVojPTQBQRjD' 'AzImImIAagi4vtxWbYV4dgIew6OViIxjy7iKJ4ttcIXje8alEDgVyCcpcMcRxqODWSc8LqMaGD' 'YcfQ5Oa90zDLyw6vHwsCbEZ/cK5HS1o1eNBJ26JXOt+OT/ZQ5/8F8BtHrMCloFY73ZsHHa9olY' 'EoqmNO1CZKmfve90UnjTJx8RqBCMQExJ6FmwSl2r2jxXLVnm2201hn6zdgqIUp5Y7rpJMGojKC' 'B+wLRvXrS/nUS8dP9ptX39kQ5zBlDID5hxUBShHCDOFEUB2nShEqswg3fNvXqoCMtdK+QCPTy9' 'frjzxfv/BMaVP/tXfxn3w5ngx0lKNL0mUhpAIxFoCAWwv4+N3ywy/uPvWiNjcZkkI173n7oPnz' 'b/m//FY+HVEjAiIhAeJAAEiNAwIWMzRQhjAkmM9PxFe0d8crJwOYu0cwQiIGh4KQABxAIeKKZA' 'VqlVEQ0NzCHYlSBEDUgBmeELOeFxwJFQLDBUgSBQMYGjFN4VGtE0F0RiACIlLwmZdYa51nz0kY' 'IASZgBDEWUatDtDvRzUVaWt4NT1YZVrnfhxLrWaqAO42i5lKLVtwdGCmlBEg3LxUSglX67aWQs' 'FEKQcGOiCknOYwMbgjgJoFADhWnZarTMLXEGvVoZoqjKNJokUjQykGdr3LBrgf66U3Yyk3TlrJ' 'PvVlddQdHzTDHkuxUgGEFyT7yS4KNTrduibjpO88hEB8+iQfNLhNcblVCCpqTUn3jv35RW63/v' 'Zp7PflYL247Omy71cd3jpYrDt7vLPtFMTUYhTDamHmUaejNnuEsCyyPdokV0iN1hphoYq1qnmc' 'DnExXE5aWmYED/RpxOKUcuz7YtWQQwimKUa19SJ96N7RwWHzvYcXbz3cNY24BgQbGs7XNjNmE6' 'S5Nl5KqMe8havzdLA6oRD75egvHI9feLZ+5qnh3uE0lfYP36v//tvp8UWsOri1FozUm2ulBu32' 'Sj/z/PjR2/XFu+PxvQoCXqieQQRjCBnrBIsWQmIMInB1N4hgiurAOBFRAEEYAgcZGiAJOEPUuc' '8CH6BiYlYYIwTVWbwI4AE2e5UB3augNJz2amoWEQBcp7LMIszhhjBPkqGaAUTHTdVqAcyCf+dX' '/1YiDqQ28xzYlMRJABDUZx1zVPf5yOOGTEhEM6k7ASKgwnz/JgBQVQ8nJINoc0pEWbhb5MeXm2' 'Gnk5ZJgRhzEgokmq/axMiJjXPr8xeLw6vPRu2x2uVuTAnWy2YavevSokVwBBQPnaay2em+atfk' '1UIssBQjoKLWNdQQq8ZlX41i0fJUaDcaBC0W0GWuJZYdHx5lEdqPVhWBsajtdzhVSslXHSRu33' 'vs66557ma3Lfr+k6kfghIe5HTrGmfy3CQmevfxcDbAMBoRH685zNomTVrU6XIXRMQcXiE1cbKm' 'hJCEalA/1W1Pu707V0aqLhkxp4mAll0SslBECYHYD4ZEk1qAClLbSK3x+HI6XKYX7h2cHDcPn+' 'zeeP9SHZAhgBOgWZUZrkjKAJkjIKZKCh56RWGf3UKjeoBPBTPEX/5Y/7mn6pHU08G+/Gj5vUf0' 'aB8d+Y2VtNkPRI+a0ra7a50+dVJfuunrwxFSCps0AFAwGIHAqY55N/BbD+3ts/Qvv+MTUFWfFK' '7QR4CE1kiiGRIVWEwZAgI8kBk85rUPRLgQIgrPB+657kisV92HeeBSIWYmDVRHNUcEczBDdOsy' 'uQMgeCgEIULVOhaIAI9gZvy1v/23hAiJ28wNEzIzsUdVgOpoNpfIFRBE0CwYr+g6xIwBODMGDd' '1ni2q4eUAU0yY3i7bLKVedgEiEVOtmO15s+zlmT+REoIZV6+GqyZRyEnXLeUZ9immts3aP/OHl' 'vk6QExyv8+2TQ513uRDbfnzr/YtKkIkP1y0CtYkgoBQoUJdNyojn+7EELLpUFafiifnwIKlGuI' 'qkpmFpIkkzau17Z059sWmCcM7JM6fdCKtVs26ZgN58OF3uMDWEHsuO7xzxooF5vnH/tLx3bsgi' 'ETnLQeuAXk2ebM3CM7MZ5gxNtjZxQw6Uxlr3YwzFq3LCQHZG6lrqGux7zRKMuB9x0VDKdRxtLp' 'zt91CL3bmRb19bTGO8f3Z6tjMGJgp1VA0kmzOqAECoiQkRzK1WdnQG8uBiUCtUVzO/eZyeOZEv' '3Lt89miKsCzx5uPYjrzq0los8e7Oyk6WtW3KsvFGCvDcxzBnpJQgINQsPKd23PPQ+3biUvI3H8' 'BX7tNbOyhaqkM1QETzICZG54DEgogOaABucxScEA1ttrrOw182BSQgQvBARCYatc5NOwYidAhw' 'BHNTxxnb2+RUi+36qc2Y+AqC6I6IoWq7QSOQmQAA/+Zf++vr5RLRiaFNwiLzr3V1j4BiPmkgEv' 'G8LbzyW34AtcQIQgL36AeFiMthwOCuSR4eAW2brh0cmFpgpIQpCaDXEtu9PjrfIoQhmiKCElOS' 'dG2Vc0oRoGpE2LQ4BXlxJgKnpoVGGJE9XFUBhYggfDdM+6lqVRHJDU9VM6M5VY0k1LaUCGvli9' '1Uw9pWIEAId5O1WUzBDNdLWK87yVSqupM59IplMnMHkESEKVpuGbtB9cG5bzZIom3y5++1CyHz' '0khatDxUfPdxeXypAXj9MLUCiwb6Yg/OrVcUZvAQ8WsH6ShDX9QxN5mHaXhw5kDYpXBjC2Ss8Y' 'GepGt52bg7DAWJYqjRgt673arxw/N+1xshAnrVQJAAQ3SMOTlsgsBg85i/aEwq494Y4GhhH7pT' '765GITtY0uHKm24qF75VWCRwh5XEKmtCE7LbR7ZkWy8qBTQ5AnAs3HXRCMw+UDIIt/CM1Ewj7K' 'urNw/O4Xtn9Mfv0OMe1CsEEIBBeCAiXd3MPRBw8itWphokAiG5kiVEEKIQVAdEIsQIDcZwmgGb' 'AeZACZDJFRDcAcAAxlGrwqJJRFe4rHkzMPcIiKgvdXM5EnPOCf/2r/xKm1IQqNV113TAnFMg1H' 'BVrWbVQkRSImJUR4IwU4RZIEnuaK5IVCpotc04DkNddZxyHgdjhiZJzjkJB0QibjvxUHcuU328' 'Ha26CJgaArRdqmoNStNkEZkJcKtV07RSSo0guFKE43LRRLhFIJKrOyAniphfQ8QJ3WstkZLshz' 'FCwqFtUM23+6kaFITMnIWniikBE7ZCOVNqGBDaLoXjNMT5oAFhIw9GTLVL8wurmQpstvRk8CbD' '8SpWDedEiwZXmWa+3Rjw+Em92GkNPOni8LDRGu+flW1hIjKNJsX1tRBaP/qylRr1ovda4bgLwr' 'QfJidyQyIi1LZBQijFxsrjYMdHeOtYLi71Yq8KzOzo4eaOEYaJHdEoAmk+KyOxmtP5xnUoz92E' 'H/mk/sinhpfu7U/Q9o/iX/85/eGb6ay3waAUgEDnWQ7BTJiZBP2oo1WjH7o23VnVj9+t9068aw' 'QMaqVqhZE4yMCZuVYKSKpUK+8q/uHr+K0H9GiA0dU9NKi6YczUayLC2e1R3YhIVdXnHRcwEhJF' 'OCE285L8avDNFi4kAKDhswp2rhwZzNgDAKxEaRitL7ZsJBObWyk1kAERQgNAiLTSth/MjV9+6W' 'VGmAf8jXAWQcTRq6tygAd0IsIA7jT7GhAlMxJst+XJad+XSSgh0G672+6Hqj6VEgFd08w0xqnq' 'djeoeZvFwatekXFZroTTRWGRZb3IEDFNykxZEMCWbW5bcYuU0uW2L8WyECKVqWy2YwUXEQSpZn' '2pakqBiYU5GCNzQhQHXDaNuo/VwD2LdE2ai7K1+liMERLyFdSBAcCTpGmsQnywSOtFRgsIUzMh' 'cQSkQLOU+GAJRLDvbSq03cOu2LUDToyTe9FIhMcHfO0Aj1a4HeNiq4frvO5Ci4/Vi4YqbEcbJm' 'pb2JfSlxinaAFvX18WK9vRiDgncHME1KBtH6VGVb++5pzowWntizIB0JVAFwMJMQIxNF+hjlzI' 'gWKz9bobPvti/gd/5+S//l/jT/3Ug2evDXmrw3n8wdea/8+XZSxUwomxydQ21DIJIzPorJMLvJ' 'jscsyvn8nX3uv+7O2Dr7/XvfFEnlyC4HTzcH77BRKCoDQ4A0G8zrAAvLHyJz1uVIhcIwzCIBQ+' 'IMHPiGBA9wBkRPpAwom1mgchCQIgBREgghAlJkeH2dw77ziCZvSPOyABEFJAI7zIDAEARBwkV1' 'sEBiQhCAC03KaI4I+8/JEmJwFsW2CiWS9RwTNCZiKJimwOHjCCQfWqYe6E3LQc6JebcbMdJnU3' 'U/ehqgepRYSTkIWllNquGYvXMuXEAIRApWgAXDtYjmr7YVIFRF52GSAm01K8aSiJ5JzbjhEi5z' 'xp2e+L2YxasWFUrdYP09l2PN9Om34cpjoUnWposamamgWhNCAOtWoJGooNNapGAmsSJmFVGN0J' 'sKrUalM1rQjzBzaQEFYLWS8yC7ipKZrRYF5UmfXGGpetBOBqCVp0GOlgicwcgUWrubeLRpCvH8' 'ow1vNtbXJG8SbNUxCvSoOBCAhQIAqChozVzjYTJxbGMplqaPhMZWX0m8ckmR6eqSEK4hzQCkAz' 'ZFZ3Va25TcQxz8z7vUXRL3x09d/8/bv/xd9rXnz+3eb80ZNvDO99C77+Lfitry/+5E26GII4CM' 'lixlMgABgEIgYyUyBGYkwErWCX3AHOd/DmKX/5Yfvqg+75a379ZLBIyICMOgXNR2MySbxsvB91' 'mGxT6mWPxOgIguwQ5kFEZq5q1UA9IMDM51BgOMzxeNU6DOYehIBIFh4YM8V/ZiEDukXMZBSNcD' 'AAZCAmEiZCm0AJEgE1hI0wAIy1EgthEHgS4Vc+8fEu43ohWbjNAuBBwUDA3KuPxaq7Rah7KVrc' 'FcLA0QERl8vcNk0/TIJDmWFvjC2zue6GWktlTlN1U2P0qc6c6wTgiNA12dwQUVAQYtGIMDY5ec' 'TFftru3UPdzAyEucu0WuWcWFVrVZ3jkx4QzkwCqIgleD/qMOhQVd3UYzPUMrmbKaAIzhsQopQT' 'qTsRk6ADTqrunhGFpHpERJOpuBePlnjXTw/ORp6xYIwQYUoW0WVqM2UxC18fNIhEAssWDVQkzb' 'LH194dEOTWsSxbvNj4ZjBGzJnWGT2iOIwTVfNhiJQwQksJEmnR3WNe1rgzQLTJD1aEzKcXCoGI' 'SjHfEYERynxdc1t2KVHsBt3voYX48U91/4e/d/x3/y7ePnkz3vpWfXuzead++7v+7Xfabz1cfe' 'l9OB9tKooks2Y6HFgYiSDQDGgG2EcgASKgx4w8IkZCWOV42NPNpb/8VNERJdwtwIJbYXRkADAG' 'APRlCjZ4MHgECQHOcRrEquEezCmuuM2GBDBnORFYgJBEkBkjCAgZ2cADok3MBIxAHkxMgswQoQ' 'QESOHo4MhIMNN3EAGzkwH0RdWjayQs5v3sWFUapi5JSsLEPI9pHRRwN9RiAYaOQGwRkfKVjpcF' 'GMOswshdR/eePtpfXMR+AsfJou28YQKmcbK6GxFQKJgQggbCttWjVQYIs0pETL7opGu5EVg2Is' 'wnB+ngoNnui03V3KYC5lazCOe2SbmR/W5UiyskFeIwTq1wCpoqVMfBrFYfRqLsDUUdrWHsuoxg' 'y4ZEaKo6A+DdfNlRQlSU3mJXnBSECYKsjUBH9Qv195/swdMESsyMNWdxwcngYm/CcdCKh51fTP' '0Im33yiFsnvB/q2aC10Hbg0+3+mevyzO32oMV3H8GDSwWWNtdrKzgCONtqLZZQSq3CAKDzinq3' '9YBAJkYjViKshc8uJ0AEggZm15SxsFp1t5xYWDb7CLNPPqM/8anxiz9CH3p2H+ff2P5xvzuTy1' '3z9Qf0+iN82C+2o1d0FuaAprm6OzVNooQRNk2KSEzk4fOwY77sXRHFA+aT0WbPLx3pZ+9uY6oA' 'NRhYmmgZkkcTwlkC3Otzh5UzbEa5ddm8s3WvIIkzk0ckJlUwV2FCYp9BzGYzakwVMSJnEnFDMH' 'cDTInnI18Snp3hAM5Iw1RbFhAubiFYtYwFqEkZgACUvLAW037y/b5fL5uG6WxCIZwq4N/46798' '63CxbhtGquBGMIw2FJsXbAyEhDrv5ObBE5O7SyKcUexGyAAE46j7fd0O025XHHC9MBHc7Wk/UN' 'MFGDHzqkurLgHGetGuFo27BcZUgxMD+EpSm1gdK9agmEY6O9tN6puhMuNB1x2tUruQxFJrAQpX' 'mtdq7gaB02RJ0tm+7HrtB5usrlohTrlhcD8+aLRq2zSq1hcVknBMGTNjqaqIU4mxYDUQiYahaZ' 'IzPHkyGtDBkkvxlEk1MvEiZ2dwR85MhG56vEyg/NaZjhWfudVdOwI32FV8cFrffeTHHbz8VHuw' 'YnC/uLTXH/nlWBuBo5UsOjnbjBcbA8bM1DBWMjJQCw+fNFrBCIXguauCaFdadAAidKvmLolLYQ' 'j7wRfGX//L4+c+2lPd66PhndfgbCOD58sBv/PIH/TNg56t4FQrIQDBNLnWCNB5tBcBaubVIaLp' 'JCeqoMzRpVaQ1QvP2Ykwc/6xp4f//POb46VeLR+QoAB1BCuGtoFmFcNkm2lzCn/wLfz3b9BZ31' 'aIYbSiEUGJKSchnsP2M8DfAQAI5l4YgMCVO9PnJy9d5dXCANqUVjkvmCB8Y2rBqHWw0NnoHFEq' 'EsKywUTkGG4AzkOxUcv5ZtIaOclymc0c//av/I07x6tVko1OFTwje8yDJ6Srg2YU9yuTKuK8Wg' 'cwRBBhMHIPYkhNmmE50wjnm3GzLxTFENWTahWmnHnVytF6QRirru0yR4RZ1CDKMPSGCMsuM2Ir' '6DiDJmKc6qPz8bw3whhqbSQ9d+9YBBF83vnRzLfl2G7LtI9FJx62603N+xr9WHNHyzZLkDADxG' 'LR9KWebgZC6TJ1mQVA3cPFMCaPWgMwiCABE3J1HdQ9qGkwAutUCXndNpKyk6sDABWNRUMni9RP' '8fb5uMhy+7g9PCAWee3dEcLvHOY2ERI2Qn3Vtx4M9y8AUTJbAI1qZkRhhI6ASVAhavVlBiKoNS' 'wsQIQIwDCCGCBiLHa5QyG6eayfurf5pc+ff+aT1S/rcD68/Ra/c7YYarocw6V575If9VEmGKca' '4O6opkUVgnFu3iGbWZ2bmjO1lLlpxFCbVhpEciNBCK4BtxfTr3xy+OJHt6VgqRFRMaJZZ14LtB' 'S5Ac+x8XJa33mH/sW3+c9P0+TWIAZBqbTrzRTUQFVTy23bEJqwRKDZ/NqFIDe9aq1oNSQkDkIE' 'h5QzgDFg1+RAS8G5geqUiQJc3aaqgDQWUPVOZNUBMdbirUgxD8LL7fTug617SKKcM/4v/s6vrV' 'sygN4U5rsHhVYzQ2ZmRo1Ah7mqNBtVzIz5CpJxJRsipIxuyOBJCIDMZL8fH53vAMQhrKp6HCzy' '4apddJwopcSqsWwzSTjGdj9u9zUlTolrqaF0eLBqcmSieSlcDfb98OjJ3gKaNh11TW65VtOAy9' '0ACK1krUbki6aVJGNf1LCoClOz5DblcQxAZ2YkerzpJ/UmIQalK5QkijAChHoBNgzXEOGG0Qwn' 'i75UJiEidGdiJCFmQhPBnKmMMHmsFoEB25JV/fggdZnXh+zmbuEamRLyjHaLdx4Orz80JEG3Wj' 'k4MAoGIycCNbPEwGzmtlpzmVwLZXZHtMChxOUWF2if+dj2Fz938WMvb+J09+h7/DvfWtzv6d61' 'ZGRfv4+9yVbj/NJEUBhAXTghRRCUUmYvpc1MffCroTwgRSA5CggzkLdJolpgWizpQwfjDz01fv' 'Lu7tq6nO/1KKc2Gy8gn2RskiODEhbywX3D+5Hffdz8s69NX70QCK/u1QgJEiECFg+tVGogBjHU' 'yQDQw8P/o+0hHDwifA4muwhGgNY5gonXrh3kNrTaSnK12PaKYat1WrQyqVeLfizhuEgtMY2lLg' 'RSkrEUJNpsR1Wfy+v4X/29v1XNe/VOMgqbG+H/n6k/+9Utu7I7sTHmXGvv7zvtvXGjZ2SSSSbJ' 'JLNVqstKS5WSy4VSkygDFlxCuQzJgo2CXwQDfvKT/wL/ITZcD2UbbgAbJVdW2VUlQF2mMqVkNm' 'SQQUbciLjdOedr9l5rzuGHtU/AfOBDkHHvOd+391qzGeM3KKWXqswR+o5kp5YegIqxeAFUitMI' 'IW2kCCvTAFiiuE+zSXCz02k9nXE6tVf3h9ZxuZsvdvVib8X9fGrvvXt9s5sezm0JrmujaV07yN' '5UiK48nGXFjbmfi5vt6lR3fHP/EGnRtZyTri6cl6Cwn8t+VwtUq6fQW0ryUgaI+fJ65wWHc7S1' 'h3A499MaPSiiFt+7u3utLGRkrF3nFMiJIIobl4jDkqL7yBSknNzN1rtqmS/3ToveELDoCWfxcl' 'gl6clNmXdmZuotukqpJW0/4eWhf/xZ9DWlfFj79dWuNZ3XmIokMeUOc44+bKq6P+Ph5LcX63c/' 'OPw73zr95W/cf/+bb8qan/1s94Mf1h98qj3yPsp/+yneLFxWwBFr9LEwB00qRK2eQ0wlkAQZEZ' 'Eyo0nuXt2KZyCXHj1hLN94u/7y+6ff/LnT7f6EFsXbk73ee5rzlfG62DSrX+l0sAblrBPPZ391' 'b7//sf/f/8S+XHpPLE1NQTpJ95HSwN5Yqh8OPTrMw6221pY+Euw8lW1t43aXNE1l3hVSvYvQbp' '6Lw2m3u3pYz2uzN/fL2sLoF/t6deEyNaH3js7edH88m21f3AiXr7WCeT6f+ff+w9+ddnXaOTvd' 'K8hElAITi7PWSkZEnoTWkZnH41GyWszdvRrJYZY3A4SBzu6ZJJ1ys3maJmNEvj7Gi1cPL16eBe' '12E6HLXX3n2dW+2m52odC0pmIJVusRy3mE6SYcw0F+Xpbr28u5mLmmyc/n/vLVaVk0z56Z9+tK' '4KLMT57Muzqv0ZYlWoShZHSaivH69qJ6MRdoveN4ap++Pt2fmmQjEexqLpf7Sqe6gOyylIg8rW' 'X29FLM8rD2cauSuLneV8f9QzTZ05t5ojWIUhdPazcwkTfXRUIky+THY7x53W+v5ouLvJxqkvd3' 'Xej3p3xzn17K+Zynta/h1XhZxRKZeViJtO++f/r3fvXlf+/7p2c4vPxyff4if/jl08tiz1+0Pz' '/4bvJMnM75syMPS2vrmJ9IIzALALhGu76cEBqKlZA5ua5LC5ViblwjJU9AFk929p337S982H7h' '3XZZlzcPvJj0wZPT195t+xsKU7bEUnNp1kmUgLW1vL6z+3P98Rv9/qf1n/yQTb1QLTKTMrn7yJ' 'cAbV0koTdEIDMur+puX1vr93erZDRBFgHzEauFCJ3PS5l3V5e+25Xq3nq/mX2u0xd3p1evDilz' 'sxYqblPF5fXOKl2G1PHYaKWNjEhoWdoIA1vWhX/3P/hbVzcXMLgcxoFovbic9lZAdUVrOku95U' 'Ag9lDvUqS7+wRSog1lTy0VIxVuQEK30CYUUy1ey7y09vquP39xf3gIOmrh9cV8ezk/u9nd7mar' 'tvRYens4JR2tZQaCWte+3+32FcWdZO8Bmjujp5WynEc9pr5EQzbwdFp3dZq9TrPVvZnn6X5pi8' 'PVm5x88uS6FtvvPHqcl/760J8fjqeFBBG8mMo0+8UOTkuyNRVDRJ4iJ3otjOQ00SceHvop8vqi' '7tzOPQnbTcXcDFb29XA8ZSrTkA2yi4syzb62PBxk1M11OZ77sui0JkCIIs5Lc9hb19Ph1F4flh' 'encm79rTn/3e8c/85vPv+VZ+vdy35e+enn/sdfVBKfn/cf35e701rcteBuabUgu049CU9mZk7F' 'adZag2RuN5fTii6oShmUYVnzxaGdz5y5vrPzr72nn39H33iGb7+bzy76XPqre87UW0/jw7dXmz' 'Kz5APU6S0lqKD3zMaHPi9hP3rpLx7Yzv75wf/pJ/z0YajBAxhoWxUv7qSZV0DoHRFy89ZaKby6' '3mX286kdHyKG3QljDkulrWs7rT0yrq/37729q3Vq57arFYbjcV1P68uHNjoZSOa82O9urianPd' 'yfWiSEdQ1y+OAApTL5d3/3755bHI59ctY6QEv13IKm28v5Yh6mRxitRTyc1kjQDBkAaE5LVro5' 'BUnO4oVu1bwTZm5mbC2VKrBkWrHW+OKL0+evD2uqADcXU92XJ3PO0/76YlcnnlomMhqOx/UUSb' 'NUutvtbpqmyT0BZmpt0bvq5LtdUeZg/sC0NBwOx9fH5ulPLuenb890nQ55OCxrRzQMANNuV95/' '+0lGnM79zdoeTnF3asYJ4GVhqWEs40vKAM1qnfZTPhx7s3qzTzZGoBbdt3Av+13Z72xXy9pyOe' 'iwrlZN5qXYxR5MOYpXhGIuxWUafyi8K3rqh588fPHA/c72lISHk+1mfefd/q3LL/+9795/893j' '8pCfflH+/EtbgTerf/JQDjm9PuP5fT8c0xQS51p6RKR6ykVWb62Fcl/dATPb7YvUS6nJPK95XO' 'HSW9f5i0/6L9zqgyfyws9P+skrWyM/eT3dTvHzt8vf/vX77//8WQZTtDvDke7QPtRqyM6hiqrO' 'h2X6wYv+6QNvy/zywB981v/s9e5nD2v0THHTo9EgeEEphZZm7AgGMxgdPWK382kutTLDHx7OZr' '6cV0mlWgYjM2U9orV+dTmBaEuY5eXFHB0XV/XwsL55vXagR5BEZp2G4SGKeQS0hZQyIjgoxt/7' '9d9eI0Evpsuplloi29Or+b1nt5f7yVLFHRaSloiWDKG11ppItgyllRlmVozuroSYBWXem29qBy' 'hNqXnS6dza6uY+PBqnc391f359OBv7k0m7i+ub68v9VC+qTZNdXs2IOIV6KDKOa3t4aBk2zZiK' 'z9OUyrW1FlaqV0MpZTcXN5YNOJUPp/XurmVqmmzeTQbQqzskHQ96eFiCSdLEapNMDyuOy1Jdr4' '9Z3fc7RnIqpnQBxixWdntjUYRmWq2+29fjYXl1tz407XfT1X5WtmpI6bywZ9J5uS9Pb6vRlrVP' 'u7ky+9IIrko3nI7nwzlvd/sv7vWjz9vDA9+6WH/9F+7+1i+df/Pyfmc9J/7s84Kd9eifvLSH5o' 'fuL0/+wzf+0JjA4dxa65KbmTTCedOFafKRD+qPzWWHNSKBveeH1/r1j/qvfBinO//xa/vz1/hy' '8SXz/pCq3lu/jPz1bx7/1q8d/uJHq68ezQ5rqud+UqkFwpuj91BvmH3/5hTN8MkX5fM7fHbnf/' 'CFPb+PVTifdT6tKZrZkD+XYtPsZvQiKVmciehoLUlGZES6+TTb+bya2W5fAbQ1drvaM8+nVcHW' 'cV5jbWuh7fZTLd5bCHF7c/Hq1cMaNFimlghQmZomv73YHY/nvgXXIlNASXV+67u/Edl3+9tSys' 'VsH71z8f6ziyeXu7XnYd2iU8cSJMjWIlKndcm0dU0Zzbu5ZaJUL5W9pbszlAzACRNVqC1tz430' 'atZ7X1s3n2upx2X58ovj4bCyWK1+c7l7elHffXZ1uauzhYpH9qCAOK+8e1jOJ6xd08Sby6nWsv' 'beWg8B8Gmq1dIcBOdqXgqIdWE/955Lk83TfFVtaOEj8Pq8vnh1WHsyi8K097/05KE/PP9Mb7/K' 'yxfHGhEXe13PJdYeViCvlfOumGfrMZj/uaB6oet4jvuDVsPFLKNf77wYXzysKdsV1NnXFplAtX' 'dv9/vqYCAY8h9/+nB/v9xM+uVfWH/r2y9/5f3De4bDYV2jOEnLh4eypn35Gs8Pfljs377A85O9' 'fsi1G5QypVQmI9HOaWahVA4OZO6qOXAK3B37zRy/8r5/4+38xXfznZ0j9Idf6vd+UD+5FzxqSb' 'q9etFmlr/5zfM/+Junr711yKY4l5cn/Jf/Zj6d7S995/jhdTwc/WLGzvNhcWd5fcSP7/Lz++kP' 'fjyfmv7kRbtrNCoiIyz6ILpYzwECs8urcn1d6jRiaj2VZoR5LKtEDVxSIhp6D6/ukztiPccIFj' 'SyrZGQux1O8XA4Me3yaidImSY/ntceQ2WE6JE9y8ie4jADZ2ZIiCGw+NrXv31ejl/76OvLurx1' 'vf/lb75Xna/u28OyPL3ap1mpJdZYW6NZLYVAh2r13rIHemu9xyDfl8LBLSwz5WnyTLXelc3M5t' '1uaR0aw5PZyT6CWA194enUlojXr5eH8/Lkcvfsdq7Gp0+vn93ukdmUGZHM3TSRXHre35/O5+Ze' 'Ly/meQ+YlrWtCc+pVs/M6FlLMbM64WZfZ6kjzbyoxtjayyA1MeXnWCLsvf7l9ekn/+Qnevt671' 'fvTZf6xWc/C6v7a5zO84u7PWGfv8JPX9ebJxfTbnZiPffT2USWyr7k2nVeec405q5gV+vlXNfM' '6L33Vhw3s69rg+vpbbmZy9WUl5XPLu+//v7D157d79BPr+LS6+VN3q0Z63R+yJtLi6hSf/Fgf/' 'Y8P3lVvjxf/psXGSN2HgoEaT0UPRLp5kqta7YVUBxXXu7859/GX/lG/sVvxneeEkf84Kf+h5/g' 'D1/VP3ujc7aLyW3Sw0nH4/K3f239j35j/daHsdzjxQt7COO0/Nf/pu4df+2XzmvYs4tYFaZ6WG' 'Lt5dOX5cu7euj5kxf4b39ix6a+oisGy90ra52yozclmpmlLCLdeHO72+2NFiAEiSxgZrYmCV7S' 'WFNZnPfHXM7t6vri4U07n/Lqare7LF50Oubp2JHRemdaKSrVnXY4LUuPzDSamSmiRUxzhZStm3' 'ELL6cElbaelf3ZTf3xT7982Y+n9u7Duadxt9ude56Xc/Tj++++3SWH1nU18x55PCzZQfP9pU9z' 'GaCb87l78Z49F8vMWvPicv70yy+ef/ZFW/r3vvfNJ7c3TC2R98eTF+7rzKaL/ZSXebGbALu5nO' '/v14f789257WpdP3/z+vXx+mq6udgDSOp8DrDvJr799q7Hbjm387r2A3de6lRtp7W3pbXsAllM' 'VkstlstyNqNZVywRcHPIPdYoT+bDt+bnL+/z9z6v//43fvZ/++f8oy/s7RN/6Z1+uX/xIuLuzj' '//2fz5PXblPO9wecn39mvoVDR99yneu7b1pB8+L17q5du6vFhi9c8epm9/4/C1t9r9y/LFK94v' '5Q0u3rlYL6c3t/t5yvjigaH160/y5276N792LFMi6sPr8uVpTdSjfHljFeWqqMz48t4PkfspTy' 'uf7Apv8DK6VWfG0rqMsJFp67K83FXJDuu6uyjzFC9P/JWv4X/4/fYXf/mMoyJ2Dw/WGx7Anzb/' 'wX22XNdjj9VW+bffy//0d8+/9Z3T0uPhHq0XXMZeOp7t+x/Fsxu8+7YOBye1HqdXBzv2nll/8M' 'K+eMO7pT5/k0vk8RgPbSmlKNDX3O8nL73USpPkBL2YWV0WPdwty8J5Lhf7QkbPDJc7Z/q6JLKe' 'Q8dGc1263d7U3cXpo2dwZq0P71750IeeFt6fvK/zn34ed2+itRRzP03Ccj4jwGg9ki3L0tXX7s' 'weIkuEegAmPnn7/VLs6c3Vi1d3LPb9b3/jydUlSSt1t5+/ePHi059+/hu/9kuH8zpPtbXsrWfa' '0loGzm3NxH6qFxf7N8eX777/1osv3zx7+51oPSI/+/SLtZ9fvr7rEf3c3//gre//8i+o97feem' 's5r6e1m7Gkm+fN1S66Dud8OLa2tmWRDNliOfeUzPnk5vr22m8vdxcX1R3Zlq606l6QZhIivC8R' 'iNOydnPWfjHvdsV3NlXC6EEYEb2H2BVFJaJ+tHv5V27+/NPPzn/6cvd7n5X/4C+c/p//Ir/74X' 'Wfrr7+C8cPrpqZv33VPv58OtWqKY+HvNjh88TDQ/nyNR5Ofo1yPaOdbF2qmWY3ZkXJiDZVFJYl' 'vTOoeV1Xc7RmawTYBCfy/Uv79Y/Ol4yp6Fd+fvnoKj77YlrWbGFvXZceaJGsq3e7mJS5wxQv7/' 'FvP62//wX/6FXpS0sDoQiYw9yUUhIFCTvfx9/+tfV3f+lIQ7laz8t0a/OXX+r5G/+v/6z+fz/O' '7PnmcEYpT55c/o1v3f/NXzx+730e7rWs5eLifA7/9OVE9veeHr/2VvyLH5XCclXUgqezt867Y/' 'aoAD97rf/qx9PHd633tQtKDj8jZLVsrvxSfPgb3FELvZA2rK0yesJ654ign2s+2eGtJ+3nPlje' 'f2d9cpVPr9uTG80zpoJthNrVFv/kRfnj5/7nn5YXd7g/+fENe0d2zntdzLsvny/HQ1TH5a69da' 'XrC2ud9yftPS923F8vH7ylJzvj7dvvj733sjRCt7f7Wt3Mnby+ufriizcP96e//Jd+NSJKLW1d' 'drvduuT9/bGU+e788MMf/vjJ7W2t5bws01TMdH11/cEHb71+ff+jHz3f7XYvXrwYM6f9xe729u' 'b6evfzH350e1NK8S++PHNCIl89f/PsnZt9ndzL6Xw+nfJwWGl8cr1vrZ26Dse1h24vLy529vSy' '3txMINItESNt8WLmErRS+jlRipf1y89fX13dHI+nqZbjw7q/mMpUgayF1Xzy3fduXv7K9MPjSf' '+vP8H/5yda08/n/t335t/5/gf/+R/87Ort/TtPpoc1rt5SMZ8tA+vdWpxck+duV7WtqsfXs1Nv' 'f61fFMV5cmeRnU7TsvL+TsXLErGsZzcW5yOgJFKkpYIteF6x23G/4/t7fu/t9ZvP2lv7fuW6sJ' 'x2qdKmmaWgtdKW+c3SDid7c2/PD/6DN+UPPuUp5SPwHs1sCCJZimYr//PffvhLH959fqfDm4v/' '9g/2zw/8zvvtF9/Ve0/Lly/jP/sX5fd+lMH87kf1H/+tw/feXT/+Wbl/wxdv6mzrN97JN0vfFX' '15sA+f5Kcvz//0T0uL6Zd+Lr9+G3u3XS0/e8Vzt5nxr35Yf++n+cXZI1vP6LKWyBCcboqGwyl6' 'lztLsf1uXruis7BeXVkpcTnzyZP48N38+Q8O3/oofu7d/vZ1Xl5olb044u6ESX4895+9mD69x/' 'nkX76yT145wa5eCMkfUudVDOtdbZuC0szNYtrhrSu/uVyuLtAb3nwR2dZS5/1F/Dt/tXzj5swn' '73zgbqV6tITy6VuXXphKdRh5dzi3ljfXl8v5fPvk6uWLh29+44MnTy+iY6qXH3/y2U9+8jMvvq' 'yru7fWPvzah/d3b548uyk2vXn9Zr/fffrpc0nubs797kpqhvqrv/wLKPn7f/jj3/jNX/ja2+/8' 'H/6z33v33duntze3T3Z9Xd9559nzz+/P5/M779x88fyu9bi6vfzG13/u+HD353/++Zv7+9snl6' 'VMSvv+tz/c7/nll69tKh+9f22A72rJw7/5g1ef3915qWWenj9/E6l5Nhbf76e/8Ku/cHV5dXj5' '4q9e/+CL1/XPX/GTV+efvsDHL08f3tS/8evfbOVGl+3zu/udlj/+87PNU6zL937p5slbdW397b' 'fxr//l6eHOvv7+/vrSn99hV8u0x/3Dys7pSV7O+vKAqZZoKKVOLF2RUG88Hdfe8vJqOj7EtNPl' 'DQjsaEDNFW1RJ2F9mvh039+71TtXyzffXf/C1+931qztxHp3Xx5WN9nDwX700v7zP/G71b0omF' 'a6mUUyIkvggvqNr91jWr/1nl59XtfTxS++Wy9KfOM9BXBV/MUL/O/+3/7T+/x7vxLfer/d31kX' 'K5frfXztwzYXLHd4fmd/+LMSWn7x7fxv/rT825/tvv+B/v1fv//x8+lNs/eucLgvhfmvPuGfvM' 'HP7gUjgWFNFnBovYWdl2iB3tSWLtm7T8o3vx5f/zp+8RvLd7+pD5/2Zze4uQYvAFGH8vqNXrzW' 'H306/ZN/VX/0Kbv41lWT2uev6uk4lEpY5d/4kP/r330Q27/6cf1nH+8++RKnJXtwkkUXkoLMQV' 'gsebhf+poZODwsfcmMfPrRbZrWu863P/iolJKRrXU3v76Zax0bY/WO1vvhcM4e01TrXF+/fnj3' 'rdt3378sldN08ZNPXh0eGhgZjIh5V54+vTyd2/398WJ3Me+mZT3f35/NDUgaildJral46T2E8u' 'x2+t733/q9/+oTn1wRFxczM6Z5PpzPki73u4f7w6u79uvfu/mdf/ft/+5fPvz0p+f7+3MP9Nbn' '4u+99/TXfmn3p39299nr/hvfnv7Kr37n4ob/l//in/3BD3Qx2eRsgcMid4vo0YOGD7/29n63W+' '4PLdbTiruHZTL0Db9B2PTdbz37q7/2wTffffvzlz/+3/8/Pi51eji0Z29dGbIWffS16U9/dPr0' '+fmtJ1fvfFjKxIuy85iOZ04mwe+j1wvVyl2tppx3tt9PBQS4nrGeMy3vH3qpePquCYnVjw+ZVI' '/l9mZXZyBICipdqKZnc38696uKq1p+/hrIflrKH77Qz471bk3IZNTcxZVW7x6Ody+Pp9PwRcgN' 'UJrpopSnF/YXv28fXnJXS1upxT5+vfvDz/tfe89/+/v66et+wOm//z27zvrPP8kXhzi2+m9+uv' 'uTF+vthCI928cH1/mbH/WXD/jkZWHJQ3i1Gi1/fI9PDiNMGsfzqoj9bpbhrQu7qDSLXW3mdc3+' 'nbd7nvnk6/zN7/Wr2u/XEt1fr3x+sJ++1uGIVw94ca6t98OJ67nUgHptEaCq02pHSYethm//XP' 'yv/s6yHuNPPyn/9Ce1NZtLe/Fl+eQ5zr2UXlq2ANux9WXNvq5r9K41MiLq5E+eXR7eHPoS/PAb' '36xTfffDD+7f3J0fDj/3c+/GGRFxWI4pHo+n43EdIafzXCO4m+sI9qTHusSy6OZm//BwJugln7' '2zf/7ZgwL7y/2TJ5dfPH+T4NoaBHeLbFfX18iytnMt88PDsptxeakvX9vt0+vl4WwmIaN3GjOi' 'lLqbLx6Opw/fKV/7WvsXf7heXpYILidrLXqLee+WtvQw0+vX+t/+48sPPrr/T/83eX3hRkzOzO' 'wqHJHdUq116SGp1qFJA4yKXqYpYqggud/vfvm7T489Pv5h71r62invClPnfHE6nXdTcZDMi8sK' 'xM31PO8mIRUeTRcXBVNGj33d0dlidZT1cNrt5pvbvRkO59PLN29Ox+70aXaE03l568Plc3nBK9' '9ZKhLnI46nHkKpddrn+XSerbu3Nw+nN4tuLm8nXGRoaTrmnWxB+npujKi1mMXS8niItiJTYkn2' '41kZeXVTi/PJxa5MXa1/74PyztP9P/2Tlz/8NN+6Ke/dTnV/7bQ35/Pael/X1rv86ne/z//Fb5' '3++cf6v/7rvJym53fz9e6ya/3Tl6e+tnNfry8ue/TXdw9unObysOr779VvPMO6+nmN122+2dmH' 'V/r0lT3d2d2pXU717Tlfr+VlBm1apvXTaEu35e7c1359Pe/3O3XDuRSfW5zO6zm9+Q7TRZn37G' 'mXNZ5dtzLP51XXdfq1b60PXxz/9GfXH38Rhzcmh6rylOfD+eGuRURbuzi2afCifuruXlxuyd40' '2+603hfOjUffx94KOs8PsZwXQ7bM471KvTgd8+Z2byxtzfPheD617FFKacsRxT/+s1P0mKbZ59' 'Xbbpqm51+8RNBImtVJr794897b79ZSXt/foWeaq9t6f3iI5Wp/dTgt67LS2FufZo+1tVNnLVe7' '5TpbW8+Ly3w+HfGL3/327cXFshz/9R//Oa2AnK/qp6+ufvsvx7e+cXv/+s4KuoTMAkCc57kUi4' 'g1Aol+jqYAsd/vSp2jx7KcjIVWj6e73/+BPX06A6fXr0+xdhKDI3k773ZGC9wfDmAeT7y8KnWG' 'TXY+L7uyu9wXL/Hy9UNrWKaoPp1Oi7Ao4u6wrupWdD5l9n1xtvUMuGUvbrnuv/11aeVPX9rrjG' 'rem+5ex9L11pNpmthP/fiwfnZaFQAmpy1Kv5TI73/r/PHz+MkXJdYu2eXFlRdET2VA6zxRzoys' 'vt+XtrustSoiauX5SLP9P/tY93/0cFF3z25NzI9fdbx4VaaCjPW49hCM03T/f/6X/PgFf/J5+9' 'MvGqflG0/7r936jz69+/zunvCQlrt2PuU8z+e1n9buxn/2Z6c/+GS6vKAi91ftV9+qf/R5XN/4' 'hx8dX3zm/81PznVaJtQvHtanvvtf/g/m/+Mfth9/EethacDD3dn5MM/1anehPNzf37cMRzkd17' 'R8+mznO/t8iT/u3D/V7W0B1j/+LPtd5bKeTp2s00T0rJOD092b5fBwLqX0aNiQiYyUmfi3/8O/' '1rV2oSTvD6d33vnw4fBqnm1tEecgYdVa60pNVk/rwcquFJxOSykFhky4lWVdSilmRqMCpO0qnF' 'zClzcnuyDriAmqZLjNtOyhLT0mtPak5WxXp7Y+nM5mjB5Kq9VOp7X38jd+jRfMP/tyenWnL18d' '6uVUd1cX08VuvvjRx38esaYg2F/5tZ//+tv3/6f/8r5YXdbjmh306GmkkGZWzCMazCIoyeAAp2' 'k+HI8wkW6yebL3nxVO13d3y4tXD25FqRaRgNPeefvm5eu73qNa9cL9voJ9nnfTNL9+/fpiX3aT' 'nVrPhtvLq2JmcAGf3726upyniad1PR76PO0isLQlM6t5W9fp8uof/0f+6Sf1B8/9ywdHj/XcSb' 'u4qEsGGW3huhx6tLGRNGm/n26vLrLFPMXnh/tXr0LJ1vL26bzbXfSmu8NdbwNPg7a03e6ieH3y' 'zO/e3K1nqztE17r225ubHr1YaecTLHtka6jVa52ypaQW4YUMHnrM1W8uq3n2xrU3I42AtZAVOm' 'SR2Vv23s18t7Obm50XrT1618gM/84H/ubgr46y3s/EemhxDt9N85Xt3NupgeV4XlrrBl5e7pP9' 'fD4XTDBG75Ga6mxlhTtTa/RadfNsf3Flh4dY3uD1m4fsrpZvvX+lNS+vSm863B+/+OKOZoBlZC' 'IDUYqX4vw7//GvqKQsjCy5P7+4UujZe3O3hwiQmV1zcRASBmqVZkoNuUVKJc3cu7JHr7XUMjmt' 'xRKWzokBTdl7g6SBDQllyllJMwhQLcNxWswlDE1+N5PR0ySuh9W1+FwlZG85Xebx2HOx3W4qxc' 'xEgg61my+/bB98hBbnjJLNIVzuqxmAflpRsKP1yuywZe0+T2Y2Utajuw1ThfJi5tpyzZh8DvSi' 'MtPPSpGRq5m5+YDOWjAisTHrC6AeGYFpsmIVPZMStfQ2e83Aw+mQyegyY7SN2rksbbe7eHKzX5' 'dDJ7DwvC6ZbUl3lFJ4PC9tiX25lGdfDi3GUt3mWmbH0uPQl+UUvXM/1/0TFdaXL9vxdKxlGjp1' 'ZWTm5eV1meJwOEWLX/n+9z/99MuXr+4j+83t1Xo4Wc1gqudy7nV2AfO0Ox+OksHSTQVZ5+nias' 'rO82ntPemCLFO7i7rfXVWvD+fTeVkHhurycrKCaABgxp7hTlm52ul0bn0VHNGQa+6vZ7MAeD6v' 'vaXB3ae1xZOnFy9f342Rfz8HnLv5Yu3Lu89uTuuCWKzUVEZErRPhGTHZfPfmfukh4Go/7S+mAk' '/pvObDw0Nuu7Z1uO9JlDf+qUdRJM2I168fZmJ//+V5/2yJoEy9pTejcSpDXitHSWnEqEs5fj6Q' 'qDAWCbVW1E4ikjZbQaY3kl10mKeVUokiAQhYdrgkeawNQ6oheUeuOLXsADAbZq2CkDbjlPCr4k' '+wplZ2qRoKrD+8ONz9eHf1jHr6BZMjlKRczu69dSye1W2YA0Cb0uFBIhhu5sN/Z8zeVrjEmaxW' 'UyqolF3RI0FXAq23RIfUlUZCcHdHaYtdombKC42luJ/bkuq1kGXJtLdAyBDj4Bz2vwA98s3rT3' 'BxadPNK2vzLhMGZoykn/fcFWYwucWys0rCMwWjq4hB1PiKrXAEqWfvFPVLEofTUsuUEWamHs6L' 'w11dgF/8xoenu+fr8VzqtK7n22s3lE4ocy3htfTez8fT5bwrjtt9zrUXMxHP3+TSs69qLUmRUW' 'vNNTnj4f7hzcMpQkqRvbhFrMt5LZXmPlcYra9C2Z/uV7QERU+ZndcOys3v7k/Rcreb8nx+99nl' '68+/2FWBOK7daK44H8/Pbt5Gu18P904+nFHrlOqn5Xh5cT3N88tXD/eHu3bukoG7xjb7jplmU0' 'QufZGUYcPPuNvt+Tv/s7cI0lLAsNiHkAQzB2dIghAjJI/kAENDoBEMYOSBhuC0QbmDNHD2HRDg' 'SIPHSIhOI5VbIDo4aC00xGqlbGAOAi60hMHbgmlPEshExeYWog1SEsDJKEMHnOpnzzuWS5YLSF' '0uJ3q3RJIklS3mXdEAmebkShIdcNCJjp4yd3eMQATYVyw8JICgDzsFOQjx0IZLoACDAWkiaQkC' '4x+DIJGy8WInghpbeA3KPCWY47Pf3xH2/i8v7aRAWo5oi4GR4hawPYwLBPiobTGaB+VEMe8wi0' 'ZJNsnTAUYmQQuTKXsCBYphkpqniWJESgEV9TXNzTLDepgi1VXN3dkzERhBGz0Jcw3/k5Q5kg2y' '9tsWTL8n5vNyMtg0TYlk5Ew/Z59n7ytPx+X25u3oYctDgodliKq8WN3tZrJc6LjGuqz5ZA/08z' 'sXeNHqcS098+cvb//gy7ud+jPjaY6Xh3a3ePHSomfkh++UtirX8+eveTjx5maP3QLIopZyoXU5' 'LKdzb+eHM2Q0a9n3c+Xv/MNn44miMSSTHJ7c8nhIk0YKGUiRlJKE0sc/Gd+GuUIgcyNbaIDsRG' 'OiA26by9e6shhyLIWEpLh9zUlYQhTMmMqkVwFUjr/E6MgYxy04qi8O7KkbYabYQjI7A91YE/Qk' 'bWDzMukDKuO0iBDC6QKSKjAkZRmiBB8vGFQ4dLyDvkrjxiveDgIygQJDikYhacrHl1jjgNb4Gy' 'LlI8KEwc7A+G2lYQZIJEIKE4mUHESM6GuAj6YujncI26uHhNLIEZzHwVKMYZ7vAxMymMagOtK2' 'r0BCZhpcKSCUTGgkBVgYCbFnymBBcNwqMOfjww4DcnxrNvi6ICx4ulKz8uyBMBAmghDNUkAZb7' 'kwHO+qLmnKsKKSTEmWTnIkl/WICHbJsmc6c6rGyKTysITAXfXJDcKpZXGPHkrsKiL8sii6r9qv' 'yxmy7O16b8fYnQ+ntbdo6XKRrTXC5+L8a//o6fg9fBzqjx8ZNuMfjZB3DbScUYOmPsLcyAzCyZ' 'HcJN8A7NLI/xxYxsdHHOPTGuex6Njg7ulDyg89mvrxlXx8u644HuaI5CzrSBoHZG9UTxsfAgzK' 'BDKgQtoACtNHioIZTTlevQ7IzEh2BQZ6huOPA4GUkvTtoIfJ3ZHoj7+QBAuITHQStPFjsAIYxa' 'XSxSCBwXIXBdkY8Ysa8MvUCFEVlZmukuNpBRIGyWGPO4rBZh3XgkbqQyIlNwIIbShEGZQY7xEG' 'PUnSo832cRMtAJtQnjQkpcwBTAvY9i1ITGKYqLYslk22RmwvpMbLAKOnpyGh8VuT8ETYeDmSbl' 'tYhcbRpXFSJLfwjvGToSFNNPojNo4gEzmKBox3CxCRCM8ipiDSJWUM964BMiRAowGWOR5OmBWO' 'PxKGTi9MqXB43hMQfMiekTQTIpV1nNQZW/2TkhJMKyaAFrQCZWZjMSnHO0NZZtLHGxIClRgtJj' 'FsPmDpADKNlKVA9txKAkAYxYOBwioK3eQijHZUAAPtA0nZNpCwuwO+RhSDGYgcVndAj19piI93' 'j2Ic09vpDoz0pbGFyoyRzKDxnQGBCArpRgfj8emVE5UliYh1oM7M0syig7aOr3fDlDP1mNcyUK' '85EE6EjesHkCKVDo1wYYzCz8YDPbioAEXw8VcaVimCogmDzA0CnsDIzxpfONI0Plkl7VF/KaVs' 'QA1GpGJKbo6eAaTgsu1AIjm+WAYhjH/LMNI9pDQf0yYbUhGCRNChNIFOkzpkgAFjZkCMqHA+Hn' '0kCE/z7adFIAH4uEiHL1YbnIgpN6cIuHHcgZY+Dh/r0uD7pWJjqkMjRjYlYDzxlisklaEaJQVi' 'hGOaYx2ZrtJg+hanpK4R6SFA1SIh0LyMz7lw5XaiWA2lF1gYQ+NJCiStAyJcsuhRO/iY+9TGz2' 'CeQOE4L0eih2hkFqCGBYREZOb4uloIAkV3EMwImaBoHRtJOOVWQkkOioM6YlzfboPxNFh81nu4' 'gcaUzCKVBIzohIkZCZNS48VwWmrw5rCAMxAGdNKTjy5cM0YEYSg+0mZhJqG6YsjWOa4ZUW7OHt' 'sbGslegD7o2yGVcexwHLvoZi4lTTa+S3Ry6w6id9K6IdWjYTKgKMYpkClpxDw4RyvBiCRsk8dL' 'aSOOLyIE42NFCzEsRmIiQskR7C0pubUptMgcrVIgzTFGLIDkI5C4De2TspuZmKSMIm14hZlyeo' 'SEBA0WBlcS0LjSx70zLk5uTNDtPc7oNoBwg2exgedGhjWABAyiw1NygOmiyeAiqNLbKFfGXGgL' 'F0gYCTNnp4SWIhmiP9JKNzQzTetIxoAyMML8AqRli3GqagtqIw1KCh4A6REwEjJJDRgBTyIS3c' 'guk+ACyEBzdxs3A2z7wAIEtzYyFWN6NECxm1mToQDlPmCouRpcjCSwUeRH/KS20i4VgjElyIaL' 'rysZ6e5qih6yrR94vI7NmGmp1Eg/1SimRwftRKL3BqORphF9nEkYLEMwDN51ZEaMekwELKlEC3' 'EAMqFiowDfaraIUJgXYittxuEsJqxYzxRQZ1kyx3E77lOMuD0kkKEY7b3Cy8DMwmWjWKqlRDQk' 'aNuNr4AXZiazQJTFGFW0Nd1tJJFJMhtHD7F17cjsGPHIeOz6Yrt7xq8WKTqZyIxRV40zKXJ8zs' 'oRkTO+3pFejJTkjwUZzDtSIGSWkBhIo22nm7YWKjxBSOPVGNenMlV8VPlJsMMleKJv4GZ0+vbe' 'pXHCKBFyKJ6M29sEGCxHFZ5gMj0N2Ci+osY7D8mKSTEMoi4CCgSkanTbMi873GiT8quOhDQpM8' '3NoUyqwAXRBdLpQERujwINNjpxMxRA+dXExo0Eqg30kpkIG2yc7hy9tiWCGKkDHuiF8OoAwjio' 'HqRnNDNLxzi3MOqV1Eaop/ExugcFNeo4wbgF/bIACrhZHxm9npDVx9SFNDkAh8sEpiWRjO0Ngu' 'DMMvErw934Uh8HEibJEQaC6JDLJnK0OOPKgRAshPyryVgGitHIpIQMSa1uTRlTqjaKAZVNqULz' '8VCxTkWIDJVimYIcQCoIgSDZQqPyzXDzMT6DmX9VlxTfkM4j5tTzqzQviWTQB67LCjReieLcJi' 'epDjgSwAD0AFQaLDAYH0IKkJnGi7V1ogm6lMYgvcCTDjAN1axnqtCg0d8rIBrLqFsfW1ijjeTU' '2O5TgSojhdiUBCPdLB2SGAYKTgBethSQUSeQSDokUKSg7mSFUalhnxMBTtvH7dvww9xkg5s0po' 'gALI3bTEI2rnV0MxAGYUAdJWZuF7SYY2oyqF4QvBhgBkQgKau95vCDIiILnSZyECvHg9MxmVIG' 'FvNxlRTW8QSJnlhIm2rZ8pVHGaOUUhUgJkyppHXIJFOmIBMKS47WH2PkQI2ff1T3RkKB7Tsa41' 'aNygsc6IdR8lQzH/8zOE53uBEs40OjSxwqrwJGxJgTlIrM5DjQNEotudtoXH2kl4+OTiKRSeOw' 'p2wdvmMbUruRbiCKGVEy43Hsu005MrcZYGZWQwo0x+OoLdDdPSUfwDKALGAYS2aCcvo20pBSYU' 'alU2Pxvw1pgDQI3ACL2396mFFwieWd+WpFBM2gRHTLrakizIojixnAjK5R2SUKBwSxOWYzgD2F' 'TJiLouXW1FuCKHT0rp5hxTwJOYsoDAqqFXamjdMyCxmgkm50ImQQ5DSALRKge6FZz3WsJ2zQAl' 'HoPrYvmUkj3SsLmIQJ415Wb1nKSAsfN6cJUWA9PbehvIoZffSunqOEA81Gp+jKkplm7JnVJjXR' '+2Apx8h6Ux83r1HOIkWL9ti/DkyMk5RaZoZ1M1NXRnCMZJRm1jNpkDpZMpI22s1RAqpjzAxcyF' 'QyjKYxOB5P1WCLYxQEoxclQoHxWYwSzkB4bmgPpdJgXsZj5mTSkZm5GV1JgbLONJlk5gQTynEw' 'jlnxuDLcbGxGjIOit03+IsbkgGbjRh+cWUoYr0EigSJGjgx3qoyOX+hITxoLSmSMc3hMp8sgin' 'KrPkfnYVJwm8/CzDLx1fIKQucjWnx8zX/jr359Odd9Xu520xA+mYHQsCpf6aK8uoEVzoSKpIpp' '5/MoTwUBOSo/Y3EnmGY0emaGegIjMKCWgQpyUJGPWDIAAQo+5ngADKGMJMmERnArxymtrS+EMi' 'Oc48wxokimXMfGnwNKtK1p0PsYWURutbdSmxs0M5WixjRVmZE5nidIllvC4mhgQBpBcDSvMHci' 'lH2YuDWyl7F1qnzsWEd0bGSmEiqEB7a5jJI0Zow14DbOgzyTgiJ6BsaXTTATEZkQYUwF0RWRQc' 'DEnhmBkZa+LuNHYnSlkCGCmRqz0KRC2y81FhtDGEYzapSKisjMTGMClmZpYhsNCB2UZWrg2DMA' '2ba5R3Kbn48D/nHGYFvhTmuEZ0AIL+gjsVo+Rh3uHh1Cf/y3qce9XyqrOJLfM7tZGb0BMPIEBC' 'gSj1+7AKNhC11yiIPyTIwQDaKM6A7j+MJ8+s7pgOMBD6d+7OiRykCObjioKKs1WRaDpFNEIas5' 'QCUDzVyCg2k+JtyYrV7bW2CZePGU717piVlZD6j9wuleOHspnJx2O13e1is3W61Z4SWnMvn1dP' 'Fsvvnw4vYbV2+VWk/oYjQ0n7Qvs1KyLNWcCkRqfKPp5sUmH1euPb7cBbQQUjSnubng0kgQGuwU' 'E2xoGcyHV9ph0BjLI2EwVcAEMcZFapnsTeSIwzRzE8SEw8AchaaEFk39q925u6FnTG7jxCyDd0' 'lzH+E0cjcyzGhGs0FaGsfb44pE23mGDsghQ6YoAQwjPaU6WukQZA00mKAeYkLMyDSVhPooCBUj' 'SltCtC6MkZFURuWY1EBs2KgqKJBKS0juPnIpzEwbY8oI62oKRSAJRY7mLFOZHDs6mCI2PSaM4q' 'oYuE9ExtCaAdzOo8ch+SgjtzfNFBlIwspAHeZYrCsI5LBgJknLGD0ebCzbJJOUloEx30yIf/0f' 'XpEIaCh1iJIpobuZZKCsEOrRmRqbIiu0VNIA7201S3oFLC3pVpJCWi1mLLXvXUXQ2gceMm2Xhd' 'VYi5Xr6WIHr0CMufsRT69n92yJuvLuIaaLink5egTQE2sur/Cy2wpwZ/X9/ZMu3vj8Yj3sVZ+V' '65/k3Yv2HDWMPiYBQEommYOkBUSh0vpY+mSQgExAgY+DK4LAVv2TgDyiB6NkIRHwVJBuHEH2Es' 'YOCwA7uoMaiMgiVyUoQMbqOre1ssiYMdB8jlCmmZccW11LasRjjZErWybJyT0GCttMAnrSi4Ae' 'HYCXwmxiSpPQh86DcIJBSQkR3YNBS1NVdrhFxDYiBFMqj4W70brSVDI3iaSldeUYIRgY29R1ZP' 'fKPdQnMM2SmDtXkyCX0YXIThowQlDVkT6GDRGPbb2J0ojWzTBM43cHsLWXVh61CKOGRLGilBEJ' '69m+WiQAnplA2v//fiEtlWOdMWa3GCeckYlQlp5RaMUNFRmKDC9wtwzPPpa3FBxy35ZiKZpSbg' 'DrXICh01L0SI2cJkSEgnnGKdCKl3kPENZd4knnUagcA5bVsduzmsGu9Cb8dFxpdp3zmzyXY7lc' 'K6ciWe+Q24W9V+YS1qy3b8b753OPUwvVfZaUvYh2cL+tV5ItONhUzIiOtFgtizkdPXrPGEe/wX' 'YlZUh6og/Nhk2plCEjXIji864CNh2je7ad7buF1EwMEcSEEoFMejH1UUHlLuvQgY6JkJIhzfPE' 'GJXyPAjEaVEKJZXRIZCCbNu/gVCxVFpEjN5F6maebskwY6FvkgQrYg4RYUKKrR0oRKQbObh8Bb' 'XnNk8upfQNEQhaFCOElXCYiR1pJV0OeVhW+GhCIVJdYuaGx+yxLXQzmbZSCRjBjIzMAMxBNh8b' 'JtnWhNAAN4uR7TCWG+5GKNOKaYu9w1ZHQRxLqt4lT5I9Y+y0HYYRl4fVrJI+6i8pCU+1wQA2Or' 'LpcSpAcCSy8rf/wUU1G/KsCJGs1YWeQKaV0U+JmZR1kqMW8pKAB+XalpSlkKzSaES3uQSxpbGO' 'NKQQtvxrIAdCy9iz5xjQjmg39zGTDkqGSstcesCsGEWYlX3xRCwtbApfIuDlukwkj3Gayv7aL1' 'qPu34IdldxFQAe2terqfppOZ+jZ+Msm6fSScZ+l9NpPdouEoxoYXEf54udzbMf71Qwf/fZ29jF' 'p+0lu79eD26cKm/r9aGvb+JlKQb50lc4n9XbS/k9Dx0aq+0WLcQysPEbk8wBJNsocLhtfiXBzG' 'wse1KPXL2vWgukIkXI3JhDjQxEoJrTS2QqI6ChWgOZW90CwSjOKB1rjuKNARaNiFLTWD4ENRID' 'YZbZhka3Y0S6c+xbxiudmaSbGZnRBZiAYFjKUCMl9VHASArKx5A2jdpERb0nKdqWwERYZCb6GP' 'WMcwIgEJsYRQLGwmQUhdajj/dr6+IUGpCwr9RrQyeT9rgJGXliGBPtlLKLf+0fXJj5GMqmE0CR' 'kaMXEuByFYx5y1g3bFtD3/ROcBqIpLYvD+NX5GiDwG3mTtpIM6xkRqZgDiTdLKWepmzjgwDU+g' 'jqqRwFpHIbGRgHaNgNCm895tnqrHO2UUUbrKfAcGMAllbKpocgaebFDMzCOobi48Ctmi94WSdU' 'YWnWcnk4ESXNlAuz9JvcX+b0XKfzeRH49Q/eLUfd/0gnAu/lB/Xy4WG599Xcnp53T3H9J8urL/' 'r9xW4+n/vVBZ89k5X6+nA49GWafDc7BCcrixvC26J1yb4yhG5DMCNzVgMy2prdt4pJ5vZ0ur3Q' 'zclPL05fNq0SDZYBkFfzRGqNBo7YnZJKoDdF5TRjWnTiOKEtI5JyIx+3iokhBUwITKVZF5DNeg' '93N5bItkkAaYGIzGoTwpa2mtELo4vwhmVLsALMGB3FixAREWluVkZt3xmEYXtGSWb0UkqPBOWO' 'DAcaiBjRXY/SwKHvFUOSadx+zGRmmilTSjNXZg415yiGSFI+FCWhR8Hub/8nF5kgtuYLAL2DaT' 'Ji28UUQJI7x2OtIScYaqZIEcVLZ0gY3pNAkKVg49KPCcyYBYx0+8iEVOq29qMiLXzsY6BhJBgH' 'oNDH28PCMQ+NSAS8oDgz1VsS1se7ZiUjQLiPcE0i2jjRvJgsJTErmKkw3yakaS2bhdIrqiFMJt' 'b081leOM1M65luKJYIZCmi5aQdtjrI/exKTnV/XXanHnGitdKwXrC2rouY391f+bTb7/Z350ZD' 'gT0cDkFd7X3NfFjjyTwdl/MbyG1YePXWNF1z/0Dex11VvFUvLq8u7s7Hnvq3f/blDz55/Uvff+' '+Dp/PeAOn1stwvy14eD0uKL8rx49eve/S6Y6m63NW6tye2v7m6eKk3SzvTzDRERYKMNpZOgoX7' '5CkwQaZoj8Jr5WguIjLopcAysmegcIjftkt/yFFkzoyI3KTbPh5BSQWTUj2yM2DyFAwZyIC5pe' 'lxGzyGOk3mmxg4ROPj3zH2zZlK3/aikqxHkAmMCWkMIXGGvtKvu3lEDBb3SM7m7/yjS8AiUkpz' 'mllLIOT0r2a6oCsFhlEwS6LAxu1pNpa8ykYZHRrTRrOxGeWjgnpoFiCB5pueBBoAR40h25Dpjg' 'uOTjAyYd2Nkq8tfayAgDIVdzV1wD0BUM7xC7c1HdWLG9mjh8KGUFPJMVyxUQH4ECcMYdxQFXux' 'GB+kPBOiyGFsSKCBhCotMkRjKSlTdM9VS3ZYCpytlCrIekb14cUvEZFSgVcWq8huE4mSpLmnUl' 'gr1nkXu4uyr7ZbV84Rl2WnVcXmbtjXiz0qs71aztn0p5988eJwfu/q6qP3nu4nf+/2pmdOF7U/' 'rP/Ff/f7J/Hnv/3ObpqK2eHuzUr1nej+0XTdy+mPT5/dH5bsfZ5msY/kCBYez70kVBom1dlqwd' 'v1JkJv8tTRkqyOOkduY15XagzSeutmLLWYGNmq7xQQZC6IucFox39XEy/L7tzWs5aeNIQRZEmp' 'relehByTKR/B8jCjIcfacggC0oxCDHGqmWVs5XwOlTdylEwQpBiqJyBBiwiwADT0MRWVkn/9H1' '57eYyLQghIbIPO3HZpMm1IJykFk3Eg+RFjv2ySmCaDuWMIckfqJXx4P5CC5Paoxt0kC0Mpx8wW' 'UFHZerdHYTyVimLmtEhKLRRG+giNSql30TFSbcwRkW7VYL11kmamjR7rQ1MhJL2nZHAfC55RKb' 'IZaW59MAMURLGhfqG5g5YRER0ZpFiLR6Br06AarHd0tUrLRCY7UChnyUTPkd7uvWVaLudGlP11' 'sZpC9jMmt2nHREp5sfNpsgz2HnOZrusOSz2t2vv+ym6vML9Zz8c4XZZ9zXo4nEvzq/2+RafXwH' 'o+4vXpvlZ8cL2fuZvr/HI9/OvPPp0x/+ZHX3sy7z49nU69XU/zzqysbGhznbHq5XrM1mefwvsI' 'SennNSvWCT355vwQfvLJd6p9We+5gAi0h1zmOlNIdHRmU99FnYxAKlvjVAAf7T2jYVd2T/dX57' '6edErr0UTSUEh6GVv8TculRPXdu7snd6fTXb6hI7qGjigihTAbK8WUGIJxvG+EeihFIyg0shhc' 'GVu0XRppYmQkwszIv/4PL0fm8FhVZo54Hx/NBOS0NiJJ89GZ8VjMgI/JxqNl2cTnycEnSyYzHS' '6gKUhuiz46FTSYGzMySi2gsaUio4zB8tCfJDInKZ0oc4LIkNLcC6CILO4dEcqZbtVH+yee1UsS' 'KT1epjnWlV3Ze9Sp+tBreyUylUGN+f/jNhVmDIEdxcGJKdjYX2cDjTCoBDsi3Bw2FFXdEnATED' 'k0wTIVpXkdsda5LlAKBvOMtPu71g68utxPc2PtRB2+om3ZaiGGuyW0rCGVi1ISEsLhMVY+DaGs' '1ZhAqUxmyKCIVRK4S8XkJSLn9N087+oFez9iWdcoDZe2q+u8nvPJVakw5DTXKRtPLeKslE2sFz' 'b53pvnexe36PHT+xc/fnizK/7hxfX81O/aqWJXs5+Ouaz4uH3x5fGhzqVUPPWrqWOt8erQlbq4' '8ncv9u/vrp6fXv/o8Hr1/rRMmXGfjZTBunpT3/sMwHjxnZt33i7TH919+Tk+p2S0yKbNAY5aiq' 'RUkjaUG2oeFlAqEiPrDmAMK7oSlhE2sjZGCy4ajb/zj66HmMg4bEfIPuRHbg43jncuUzaKF4xt' '9lCnjDdYZtskA8ImaxHgOap2gtxMdDmMF05lujaN0njNLLiSpI18cglaO2iwMlJkxyDco2/7IQ' 'cyM5QwFpYYkhoyE2awAvjm9M3MoakIqIjuDkOMhEcXhqgJBRwPrlGMCDckSxECHeYuRiY34Tvc' 'GIzh2EC4pGS3BGFjgy+p916LrLiyDONIWMhYmiLMnKX4NkIMofTiU8IdERnj9Im2goDDUBBMT0' 'LLSb1BTje0c88stbLAgqZcSVarkT09QcCswBSU9TEod3jxUZBmdGUWNwg5lUrwfFJkq8X3mLNl' '9UqoYt5hf4PL5Xh+2fLSrp757tKn+9PDxz/5PFR/9ZvvvXN7c244t9ZNnx/Xrn5d9eahfXB7++' 'zmGrRPX3++m/nB5c3dIf/g+WdQ+/rl5fPXh9fsfjW/6acnk+/TGq2W6bbWb1ztPjudfv/uy1bW' '2XU45DxV+dJ7H0UWpbXFciwGTm+d6VuTQIHmXtJkTC1CcUUGgFKHZ0OkKYwUf/s/uTKX+dDNii' 'hDkTImPKVsIhWlMxHWbbtctur5cefvGE7RHDYTmUTSi7NADdGJkki4GwmjhdCVBQSzbb0CMnOo' '3Zhh5nSDRYzEMXPClei9OzHCODo6RysLAyPT65CZMgG6mApulufhXfXM5Kal6YK2+ipIuBkGV3' '2kuQ2VL1IRnU5jtaHsHVJzy8zsYmYmstosX50sWROiQoTklBJdZiORFOGTlXNfulSqtRa5Ahgg' 'S51b0DhNVgwsOSbnXuAFlVvYFwfVHuhD0dDUxQj0GMtPtBzOheouJXJlJsoE0JeWliAYvavAfV' 'A5CiU4iiGYCPYGMRQW2fcXTsu2Fmcxi0RE+M4uLt3NaSGg5GqZWbw+Kbc3xtNDfHlYG9rr1+fL' 'evFzN1dXF/PL8+nly8MHlzdUXl5flTIdzue35rmf+/M3960UJdztjoc0vV1vPtxPp9cPP3z9cL' 'IyTfa6L3S/3Nl+V86Zt3srNn1+OL26u3/z+lgqp2ub5n5dZ5k/4Lj0I2SX9XJfdpnnY/TgiqK+' 'dHHqRxXznLsC/K2/f0uXWWzD6dEFAIYCIZnu7oXimkFGETXKa1D46hlSSSU4jFRMCD1GQSdLC0' 'NCFoWTmZlHZmJc4gIpK9w24RIwNFlJuttQhsPd1Ak4SmQGxykuJENpkDlhrgYZUGg0hKieZAzf' 'kcbyEIjMapaKHjAUNw5t9dAdRPboMhSgKMO8m08AoycS5ghKIZLjFhvdkZiAO9Fbk4q5uUWpxY' 'qbEJkdYoopYNp5gce5r8EGuYdtKm7LSOs9Um7MjLEKSzCmuaSlm5w+9jL7ulNpieYqc5mkrcyL' 'jvMa2dIMMC5LGwfa+ZwRPJ+z0kodbj723pUWTaS8uoEB2Swv6XC2KTtpXaCQSw+l732XS3YL36' '8saQIz02Yb6y3P7OzdgPQgNE+lFCTMxtSjZk1kKCdYh2bVXHVYulkttLXZi+X+3E4WvNlf4xCX' 'u+nqarp7c3px19++vr29Kq/bwwPW7168/bX61k+X088OBy9RaltDPtnpfDb3tHY+NFK7ab6Y9o' 'r++evldAh5Xl2Xp/urOPY3S8MuAfG3/v4tR8eJ0R+k+zDLKWMTnEnqbE4iPUNe6O5AG4L2zRvn' 'gxHQN+3k8P1ZjitiTAwitC0UkRg66IQPPw6so3OT6FNiKVtE5ljrDYswbbOqjXd1mJLch4tdXd' 'EjSnopNUyRzfIrXY2gpDEIS1FMy/GSD85PZMZw727GDlNaZozuadSOwwaRagAimZm+nQW5iU9S' 'ZLENALGpJDpoomWOVy0ZRu9NgEqpESF090J2c9CcYiksFT3InmbZ2UkQilYgGxsaKYlkrfNkc2' '1jr1JrgVDNZ0du2tGQvHfrkeici58z1rVJ3vpSbQIZjGLWWq5rrJE9lIm5wOjuZmat59K6q+x8' 'X+Yp45jKsJbNMuGlGBwM+RqZ7NNYFvWeZbJplgOtI8ZSFh59GKCaaGjViJYxWsLhQm5LHg50my' '8umOwR9BQoJYe+rtAvbT/57r6fO9MWtWikW84ZTZ6X0wU1MwNsBEvuLjV3ra+Xczv4125u75bz' 'Jz99k5Pxt/8nN0Mow412EhJdDGQEhyfRHPIcohYwS0FCmcYcPmBso0PlgAVxwDwMXrCpwcCU1j' 'UkubFUwoVHnxQoYnNubYINppuTj+wgQJIZBSo1ZmEG0zbDVijNbDy4Q/rdoUS404b/cbgsSBqc' '7IBWCmM0apkpZjJ8KEyZkIKOzUSEUpgRwwk2EpayY1jaBQk9A+7FS0Fq7Ls3gIqxRxpQjJkMad' 'h7NN5BNyeVjMzoyAAkOkph8cICB6SWwHBxmqEWjD3OMLOsGWRxybhtPjbTpqciCqq5Za5G81oN' 'GatQ4OaUwIwY4nFnaNNBRndWyDrb0FT68IQXubwlmrJkhRTWs7u6eel1KmZovUWvZVzmFmTJJT' 'csDHzAdTi+YfQORLilIHaiqWemWwFwPvchGIhheYeFUp4ecwQUokEWPXKIYRWmVAqzV1AdYUOo' 'RGX4RL/YzTPrGusSTYFdnQvrcoq2Nv7Wf7z/SsgtF8fwJpipEfKosedmMk0ysRFDtjA27AQyXU' 'wHc0CngDB3iIk+1N5m3iFTKUzfzmNK2dUBuFezIbXN3J6CMUJmqQZD2bpoBWAxFhowR2a24TBD' 'GjdBh8vdEYqmRB9vWYx7ZVgKSYhBlOzQpuWmSro7U6NpjoieoI0l2iZe2CSksWlJ5fIgpMHFMK' 'dSauwQEWQhrXCTpsaALQ31TR8hXhzIJYKyGErUoVnMzLXJjG7apIoxhfpodM3oRjMbSi+mtdbN' 'VCem+oa5prkzM8v20OVmXhomuTFncjXljvRp6GCrJcj0gtndzIVgWAj1UQZR6DS2hlSDgai00n' 'vjEEKPDSgFcOndnBVleBB7KgKZCYvJ3IBlKOagNRPEEi2DbhaR6jgrek9jyCL6HqahG0q3DLSW' 'kc2MhXW4ItzZV2aHZMMZIhCxucV69BCGN6srCcuAWynF+df+p7ebTWaomZkAJcNXRrvBrQEJZU' 'dfScLKdvUPE0BnTxgQvlEJht8WsADHAAtJFvPJIdPYWABfYRG4AYBGuUGOPccwUIOPuwwoM4Mw' 'WikYTTPMzMyHeGYoRgzmijQXM0Efg0sykxsBYbCm3Jhd40fA5tEcxsrkkBVK6bVn2hYWaDDzjI' 'FpkSwpEBYC0AttyJWH6zgT7lMFR186BnPbleIwGoLDGtB7wJNmlo86KqCnJFUzQSlzDAZhQozI' '3unmmcjM6o+EDEZis2b1lk1pxqmKtAgC3UxmRhkjg1kq3WI5gygwBnIyn+r4pDQusrlwKt7QSx' 'QjnVmrFU7GHM7BhElaewPpzgL2GMRYkupKoM+YO6xr88Qoc6BaY9M7pYamXj5gKX2zuSjTeosM' '0HJFKlkBmCK59lBObhxTcqknSvTRVaIrM6AAzYojFEtPBBHsSB8FKSChRB928JGrukl5vYS71e' 'rmNM/MkpGg6sR5/3iISplg9iQM6cN4a3VsMYQOwp1AIZKmMZkVkH1suzvSbVwHkUAOhAY5vH8q' 'xSW1sXG0wfIgbKj1Fevoxj2hrrQOgrUCLjFbD0bpQhocNIomK6ZEhuzR3aLxDpkgV6JC9KFr91' 'LSiwhGuA07vxRCj27aiiCq9w7FNOYCS8oojcGjMxXZArROCGkqMrhgVlPZMwsG1Eoci4VEWwmi' 'GM1gihwbVWoqNZAZGp+iuzkKkDHmx0altb5diUozIMN7Z2Y00zQbCzPdukiqYoDgzTDNZd5ZoW' 'e2TBY3sUmeXafWMrTGwLmMsGuUArZubJOVYgUKmkoOCxek0sem2NTRx2DcWVcK0RE5gjWH/CJ7' 'CsjMvqZG0vTQe6OtuZqVIcBB2lS0JnKxXJlGmyIzY5kycM5m05a8I62lOAqGqoGFNtBTlqEoxV' 'DSgCICXWkppLJsj6McoEGkTfNAeChyTSEWAuHuvgW1t+HpHFrOkU0LiIxR8xAsFXSRMk7b/pjY' 'kAcc7QAyCxmbTQEwbk6R8flwzG2kqbojH7kVNFqO/VikcwKQ6muGGGY+CAASncXKMD2QEmJDs0' 'gw+OirCUQMxwR7DzeLeRjso+dmhXqUlY+rcDA56I7NYq2peIEHPQHVNEnmRYnlnO1s1YiLrO4b' 'AQGydKW0aIisvGJTX8aUkY8xnpu6fZw0mX3pTUaTZwx3zUg72JAzg7Xmrkx3gWQqipsyD8eMrN' 'XItL6GG90dqwUi6bHG+SggaFEn31ah4aVoVH3Z43Qu+RBmVovcbdgJOyVXY8/sVrjjZIhilhGC' 'CmC0BPsgPQnCYAeomA0/46B3GCGzsncNcJYG7K9WeqYpEeM0Enemea6NXKNboviUO+s9z0uuK4' 'c6MqMvbfN/wxODuZDZ09YHKLJW76lSwxwSW0+C/Cv/oyvYINmBDh8wNKbGcmxbfglFNg6yzXND' 'd5dFGW2hJ2EFPrhew7RGghhPOQJDVTFcfGWribnBNQm42WjzadYyxrA9tNHcXNw43484t3xEZW' 'wfKbYbbbTR400ys0TnmOsMcZI06sKEaEOYpIHKGp1WpJQDf5AgiTLsWo8Yj+F6ZKolaKjVZ6CF' 'YqhGpD4YDVtDAvkGowgJfbzYGQCNlZYyUBStgj3Wx0R1dGVJunkaovfHP9fH0YHiBWbbOxkbLl' 'UgysZR9Hx0mmxrzd4Hji7c4VYIS3bCRlsEZA9B5iUS3ZwOnI6bCbulmJrmpKcVReC8CGCds1Yr' 'sMyYvF5Pc1ck4ma3m0pmEMJMRo8l0t1ALUOOCFm6CQ1hRih60uSCWo8KMy89cnDgSQgBRPTSNB' 'Sb7K1HV/FB85hy7V0wx7pGZoBokeh+XuN0yqnWWs3KyGPtDPbOrhychAIwQh4Obuf39k3DgC1z' 'SpJ6btb8jTXBoAiuDmeHRheskf4XPTMzQgP+TPq41jU+bx9+KEpyK+OYE0Ipo6e6kBvIhBa9j2' 't/kBQlRAzj3HgaFX0IO0izabz923KBXTHeViOUokw5HMmiezEzB7nRrAZYr3hataGX56MTMaIP' 'kfbQ1oZEGKhQKFYglJvrSMiBEjFvpRQZM5GyRIa2l3isv7MvLWJZQMKK7XY0UwyghKXcShrUct' 'DPCtNAiyJSnohRftKSloJFBobfdcDZxiQiSagYANQSgzQCdGOXKBRljhsjojvFQi+x8V7ll9NQ' 'B2vOtESIAdHSYdMQBKiq5XlVCq30c4OyS3E462JHlr4378UxgSYR6xLhNrsRrCZLnNIkTPQmBj' 'TJFskSlWmi4CmZQKMwnzOrRqctL2QdNwbSzjRjF511zjAh1RrV7PKqSAkZy/Cw5UowiEQXECU6' '+Jf/3qX7eEBJblOmUeTYdoxulcXQSlMEglaGgSYHC5GyASQbe0UVDbQF4DYaUxGAdzfPVCqpQl' 'qppMVoLketEdHHQT8mjUNPhyHAbpQPuk6OgSdNA0DbxijWhE6I9MbqGw8zabKI8VKRlNdBEeMg' '1jp9MPOUknlmImJMnMa+3Z1lNi8SoWRXFhVg2MIjhjQXNNAdVAJf8UaH/QGpVGBRRsizDMBlZF' 'vXdHdWDFPRIDmYg2YZOYxgXiizjeqHqMVIK4SMsLBUjI+WyFTPd3rSdgAAGSdJREFUAVINiBbm' 'hdNUwFEIZkJgt0d3RHKDfKsTChaIcBSlpKh18GJG1TcEXTkqCyNzYzOgWM2MNZqSPobKVGVJSz' 'NNZVQ9A6plE32eUIxQL7QOtCTHgSVMNClaRsocNnaTlZBlwCQVMlMatX303rVJTmRrSxrNQPHY' '+nDid0mZltOZjR0ZJpgpG3tqg8mVtgoVKoncuLU+OAyUG2XdXGY+zuZxIQ26hJFefQvjZmiwXG' 'WFipSZj/3A0FGMIQjSUrlh2CmwB6g+FvJh25xkJMv6kMWO6E9zk0iZAus64uZVJ0Nmy7YxMKgU' 'ig1gWrUEgBR7i0dv1uCTeeZgJSkBMwukuZHIHCnK9FJJ9GgDrFYrYL03a0tKVpy9NEcZPirCfF' 'i5hzgxh3kIbkBm77HBN82mzKxy+tYUIDOcVpuaBzMZMGz6Qrpb3QbRiJRv9Z5vwp1kpphFqW0K' 'BXej16Gi8sx0Ny+QRypIGXeuUO7AngpiwOjMDTZjjDhzKDM59n19FAmDJQ/BbUit1CNoJqeRwW' 'HA8Hik/gSQ2cZsjz1LoSWiq5jkWrrSzFlTCGRadxUJGWiQkya3xMpQF5PdB+EuaBxFSEQ6YYTc' 'UkO5kKjYMnNTtdqgOjNaCtHXKS3GqpTn6CVi3MySxL/6P77e5JeDykdWH55FpvVHxIe+WkgNva' 'Rv/IpRFo95pxgDMp2RNhTZjz6jjD42RgRYCkodFos2TC/utvFZZaCPJeK4ENxtYGS4gUcMwDC8' 'DfxLIBMoCRmrFWEwLRmQhdae4NYsji82o5MsPpZcGYwcS7dBqhmyCRuJkWP9/MhjTaAbRPNBp0' '1zx5jbKU14JPi4JEM80qocNmZIGCCBbR382ACBw46nR02VwgcD04FHoBNRYTawabF9J5mZyYxN' 'Fi/07V/OHPdll/yRiaQN5k6SoaRl4cBdAmTxQd80N2MOz3gIY+nuPZTKMrhXm81DjAEFJYhUji' 'F0KSQpDhK8Dz5dxmidbUwOC1iqeQXDRhm3xGLG0eIFsIMNKpYZJ/oYswwONpVmQ4aWDYgOJuUM' 'qWWMuK3KYlRsm111RXRRFmLLtrbsDZmIbmPQUoa9YOsiEQDaNoS1VFr6UOQoU2BEH2vSDZU9jr' 'xERFCsVlFG76mvanGDgxzsv0HQEIQsQ0QkJBjRQSqosSGSZNCY72cODP54gGGuR0rwsMMGNxSK' 'PfKXhUBksDph02xgjEkJ4bTNkpwJH6I8s23qDxKwbZorAAPqNNB1Gj7cTagRHC8Zh7o1Ndxxm8' 'U8N5iEMcWhrdp4NYSZEjH+D5sdd1AMxN5jLDE2PAW4gavIAusmw9AB9/GTQskcC2IaWYsFw8bP' 'inEUhnM8fI8/75arABARG/2YeDQHMaUYgNBQRGah0VYSPrCRJDZHjEoZ44G0QdjLDX4tZSQgzs' 'XdXOasgY3oECQhD7bexRi1tWWit8jcYBCdVGcyarEH6xDqxqHOajQbMH0RcLAhl6X3ppaiWM3X' 'QbGPsd+0/tWqAewZlj7mG72pncxYSl8GfiWHwtk2sngCDYCXIB1O+hjlO5hD3AuChewD5ATS3A' 'gmLTml2XBXdYZpcNptsJ+gwXPPARmMQUNMdfaxJhkPsw/SxiAZRjD6pgsCgPTiri29kRCCMd6T' 'QUmok4epK2saaJIZPJFIFA7Sh2SBUK6RYWPcYUXqA3sx9KcGlmhdEjTMDU0DeCwXK9WAAktYig' 'YEHakm2ZKdZGEpZU41toFhGsoS5eCgD34eOpWUb5US3QarGaPPJYT0GJPD3gdhd0APRDP37hNF' 'bxmRK2hVVIHRfGC0xGVQlwPViouShvCJVIGPrb6ZZw7wjkSpgyCygMXZQTwCi6QtdSbdHeOuVp' 'EUwQgqEam162xrneVe3H1U4yTdAcVmAR6DYUWRuzuLAO9URI5Fd3FfMqJlKIeXNx1mwBpAGs2p' 'HKPVqlgsIpvCwwKopcTwiIE5UKmB6IzsNLfUFvsjlmFnkXzQlGRbKMxY92ez8yohaTZWl2ZWqr' 'xEQhE2iGCkl5pmX+n7C4Yqk4ApjZvVTHxkSg7gAUdhPBrgMEhwH6jQsoVuMHM8tQhh+xpkTMjH' 'KNNEoKoox6R/vCJCZhm+tgiJGQEbYAXRUiNUqNLcJ8qMDWsEMwaMZihRQlLGJohI0mk5sP2ByM' 'XlhWbAmtGiD8q4qQCeRGRfsYJRvExWaQFgXYMcHFOz0T9RkesQvWDkNCj5lcNPINnWtIlu6k3R' 'KZkjNlG/NKYGrgIwlF3AUSDMOYbiPTkq15OSA2YEdytknjKlHMQrB0FaGUslAHJPczd6RLRjju' 'FZmXJ7irtDw9aXY6BfytD/xRhck2ZWzDYImyUxIFVeBu6cdVD4zCj3kqlQOL2YAbnNVzZvlIwc' 'kzdDpZmoiBJqm8hx6lMlskREhLc1hex90Eh8sGpCZBhk44stMzJUejpiaAToJdzFsdJHjHqlmD' 'MHejzNZSXNKFn0rZAC4O6bWh02QJDblNPdwOwBGLbEXgOCsrBuw7NsQsLNjJbOVEMKiEcZz5AS' 'oU50rxvwUZRC9gh2AFoMKbXn4MAH3MkkhhIPxJj80iIGCBA94q5JDeowE3fBgp0Xt7HgG2NcgH' '0o5kY8QEYOhIsDxQm2yEQwYnjj0koWL1YqOWWgd1FJtlF9FQ467JCWmDaJBMwNGqInwQhkSXeU' 'UfyOLThT1VAnGx/vSNSMbv2UvTV39woWCKg2THNjaJikzGgYin98xftu3doiCbWglBF6IOtm5j' 'LRkkGpb5k2QzDsMiuSGSFwMhez9S2IZKRoVE4jCGmksyg6k2lbpZfreJZoZKgL6isKLZE9lAF3' 'r0MesCEQ092YMlNqsGNXMKMnOY2SItvoRM/EHBICXSiJlkxhrP9EZUf2UbRTKtmlNP7lv3ddzW' 'njcM2hNwY4MrW3tcCgM9AHSHUbDuQgsNrGFcBAn5jUpL7BgoeukihmSrONAbsFgplMfOT7phjW' 'RkoDkGkQ3UfeXH90f26sDXfzsqlXH4VrgqBAmsqQ3dAzSdv87+4Cg+RXpL7MzixLSH07XVhZja' 'U4PTTCMeQQSzEvI7BxQ0oPYk8qY4QldWMV3Y3UkEJufS2JKiUUKbQcqhVlDBX3QO0hZbChiSqj' 'RB/xPA6CbsbsGdGHmM8HBnj8DGkSIxN0WiccFlKmXAL65lwatQeNQliMMZUVL4IBDRB9xGcwgx' 'kwc8JSkV1gh6GUwkf8LUAfoNfIc4RCbsXMzHsoIRSWyGhNESTKmLDA5Wb6ilI6WqKuoQwsNJAR' 'iP5InUVog0r1IWgjYnRRo61KjedYg0XrjvQFllyrizFCH2UR2XNUtd6bWhjZN8Jjo2T863//im' 'WM2jUyrYQgCwbgTkPen/RkuqSxDxmdbGJQ9kGFMLIisT3fvpnatxkypW2Tn1sAEU2SlcG5eESh' 'gdlNCE7uJect/yaVSlQgxjQwS25iDhA2HDBDnvPoIaEjA7BSSINVe0x1EUwyuFySG/pmMobBaN' 'Y5ImRSqYLSuyT06KMOKral/w1sd4dGkk31Yj4wgxIUHZmMnmVcepZBGdMLEeY2ZGZIEEpmRPet' 'lxlKg9GmS5CqeSkc7zANzHGijw2GZwrMxwxP9Ibek2SZWGsZfJzBUveBx7GEMIodI3pXZPSmUq' 'oZysbvdzCiKdPcHYiBAs9HZ+kY8BRSit6HxhMDKTBmUxEjPmPM68ao6DGFjzTHoAJTCMnJGLmZ' 'QMpbSyXd5T4SkAJgRIyMIyvuZhhNwYg88Bxb9m29TihlloO2VVkyuAZab3hkF2cgc0w+BKCcOp' 'BZicxk2QS6Tk+LryyzyqByW6alMhQrs9cRFhmF1asxJGy2mFCojmba3SsN6mBLMEKDKIZBhmzj' '2LMyjyvEcpYEt4HN2qC0IndltGqjqa8tw8vI1LPKMcZTlJGKBSBQQ8rVSCa7S6EuwotBhs6RUA' 'YOH5x6jMVSJpDZ091S66j01vPQK2QUFDczRhcMAWTk4PWZITZorQ3DZqllpFMWqJCEE19JsODF' 'R6RFobJbRGlrG7fhQAqMkjKGNdVlRKygCBURrKDGnxA+cN6mWlmnCYOLtgGTmRaZwihKc6SH2F' 'ii9o7eKHmXSuHKHPVRb0O36BmkqefgYcBs2OM2bEwKI2szW3bILH108ioCkL6p5g1SRGZbt+CV' '4Q91WkfkGFEIMqP3Wm1dsjdbzgGa+wiWKMN+3lfESFgIZHQzK5VeSkT0DsVoLwf5OUg7KQbUcI' 'tSlJAaM/wIbWqdX/u71zZIpil4AqPldyS/klvRN+p1ZjIdQyWXxYwVENOmQuvEiJmIEUO0wY0t' 'a7ViDiiBDG6TunEWV+YjdKVvm4RwN0oaAyepD7bhttcNuraEF4eQ7oWwjaUHgFm8dORAEAajgi' 'MVa4xuM5TBULqjWile0iKZJlsUBWCwQ6XaxMe8H43SicH0TW83vNcJK25GZWQoGTEadzcDZOlw' 'BJNdo1wiixNDMb+lhmHY08TepTAA0wyUVGw7cZKluAwKuUqPgNw8WTZI4JbGQJnVoBDIaDmEPF' 'sYgsZeGfIhSjdPMVz/v6LOKMmtJNehAJlSeSbireXFrKP3v5UJW5cE5gOp7t8Kh+2SUldMEMD5' 'yXuUKoMNRQ5DhsjSI1OelcuvOl3BpNgmtxZ+5g/YLx6WDJ3TuDVRtU8oQuzjCc09rwD5rvcY4W' 'xHeU/HSR89z+4gv/jh33S8tgluuqiM7xHK/Gjtpgj6H2oWLbssVEeiTLGX9+E+3y2MKeloEOpT' 'd929Vvq3nhv9rS6U66AKUhiUfONGW4Zo9gtYkF0CtO83MTOpm4sxDNHMvdWXHmSQTmzAiEoTZB' 'iiI3M1J+TApWXNhXvKg1Jyl92s15VKcRf8vlvqOrDlVnlnv0DOGP669eoyaqqH57GOXb9cKCOu' 'JUoy6SkfVikzzzEMTOTA+lJjTVe4vvauv/ZpYNFFd11pl8Sa5NwCaqcEow9P8eendY/IDhboQl' '2YcPmjJWr11Dvn1aIG6SBoGCfWYoiLMWwWNoxLGxLjFCJprWAR9u/rwL0rG71OiW340PYSwz2/' 'QB7i0Fg8tjzDajb9834tUc5F3cQjzJisUz8y4d15Kju198/ppmup37V4JU3NXO0safcY6tM4Qr' 'DTCaLkqU3P6JbY3NEc8NGsn9qgISuYM2O567WsLsbFE49nBB3eehKD///X/8VU2N1R90/hnHb4' 'OAU37W1wy7sGVSzsCdvmi7/zLXvrjZoNt7FWfXm0/NvBS1Ke1+ufXEF66UDRP5dMEVW8XRXgSo' 'UYu8NdxfieA33FxCaQJ8cFH5xm+pnLAc6ZgqE6uY/d9QWAwZbAOkXW+4DLh5LTSA6GEUWSTbg/' 'MG+JvKU1S2AVq9+JEJ66q16y1WdJam21llZg466Go473d9XuTiSK/XVPGMCy8qXPmRgkr5Wfxd' '1cNE0Vy3VcdSR/Vjs4xDnpFq/4o26iLa6guOYLLhZ2J7vbOqcDyiAtjLaR5mdXYyN7rMzy66QN' 'hIlaffwE0pp6ndbZQohBGwf0zeXdyNGdSW4CrmzqWV0jJPPidvNyNwDfkoW7NXegAS5sfIy4tm' 'VgxopBgLJYLbjK5T2iUVPoHexS9jk/g6/FICt0NpxgU9notduYXRmBkiB2tKpvGW/Z5nEftu4X' 'fHgn9k2S3+UKwu5ztcFJfbH/lu5VrDnv/v4gySyRRleXO981qHnkuXvSGK1S4XjVdXaucnPTPf' 'V629hTL7AAtUvGzhbPSqUfGsagKT+XatU8r7hiI0yKNLG65zKrVFS9gX29s52Y6ha2DKploZQM' 'MCm2qhOsRhWMDUZuvd8l7PavrqpgDNercJw8kIB+vYoVULEXY5rl1/sQaDdd8qMeU69GeEfC2H' 'Uvjr6+iSHjbCTC2ob0Q+x6AU/YVe6qGvHzJ4YL9vH7tLisarZ2n48sWu48nvNuyqfI4hT70q+Y' 'dOGF1EdFFC4RCPF0mHQfnvbXfQSrQO2A/GKUhHS/psjKTJ85qm+hme4lNVbhAnpX8+RTrq6PLT' '/9Ge8gpNnz/EZVVeNvbcqPRVW5y1V7+6uBqnpXrWP+Oi5Z971L7tT2bMfOHMJn8HqW0qrAKMAN' 'srTBtIjg6wtJDF4326jdyKfq06IcuKcMHwm31SgVOcz/XOSt1mNhahJLSG7H7hSIyhtw5c8v5F' '9Pn/2G0hkf1AF5RRpGFGrSlYhbYl9448DgQP4uj6QboBlzCz9gg9ECD2ujrwXwkm2bo/GTbP70' 'MbF0plV6m/6mHpoVHCSzblt+9THAI+n3OScZnqWKSC5F2ribN6YgwhIXO5MmdnvROBiW62VFUP' '7Un2cCVhfVP/0vHQmzepS/85Fq1oQbrdr3K8ISLD90NbrzaPbzXMWu2D99yYPOkCtLXhvYq7Qm' 'ayLFAGbD91PUja02CxaI9iJMrL1GdAsLsB1j0fF4ZKkLrHRmQVZ/t1V+5tPuE0ImDSnknKzHgY' 'ULboEQUdUFTav6br3AKJm+4ywWxgtHcv28qgoY9GbvexGCnGx4o9XcIBghGHbna6irK+/IFhs4' '2CflC+IViZNGNSQJSRTGsptOrMXzSSNDgY9FoYxiKYVCpHa1nx95Afd5mOTmxZUjD1eyb3lvjH' 'xSndgvVOAxh6LHE2s3ywRrNA3c1qhSar8KVVvaq7NpLSlKXJJwTLWcOc7ADLKl/czUDUAitSsX' 'W3Y7aAhU4AlIAWl5WcUF9pzap3cWHjT6ULszU9vaQi0pOETqZBYl8dVd+2qOUmdUhT/+7/7Z/e' '5lZQmSs5UP5XI+2F2Nq9gH73d/HuzQajLBZov8MwLqQuDuyOLwmHaistQ1WYZTSQK7dDJ3DLgY' 'tQveP2ZWrC4sbAYlkkdA8eDGn6rDDq156DJKfahfjSX/89e/i4zc2UUxtVB4dQ/Gvt/U8QixzW' 'yu4fL3JP+jPd1jnLa46jXGfiNmodx2i0R3x6ZilHzbLxql7iAxAbPBPxO6IHIhWaDrVaWrzSTC' '77+rt6F0G4HFdwata0BKAXVnPXy09p7PM3CZf94/3a3cA7VLUlMJ/uc+U1UqlcrQDOCJcOGm8w' 'JT4J7YmNBwmdXw7PNY8P3ee/er6zgS3HrmcRavgjWf2HN4KrTWB1LuFulQUoa9lMlE/3l3Sf1Z' 'xN9jVbVYqFqA48JIQPZTr3e1X8W7MQiEC0C/7DjBqFOvuDEmiAJxp/QhSv3SeSHVg3o6VtSqWK' 'drnw0SG5zX611Vnnq24O2zfc+v3GiPhieB63MBX7wrTXpfNnxXXVyY3PUWuE9XKfFwfA0jGfqV' 'EuYvcTXnJyOIlhJWm+dTyGO4G62yzf/89e+AAYo8zZsYJ7rkjh0gG98T26IqWwmUShirmNSgrr' '089RFEGbIDRIepBjqgHZClr9m4pJXXKXkrXmN2bq1boXRE9cg1p9P7CcTpEyfIvb04ji1+ceAZ' 'fLWBTe3phm6/0do+1/y5UjmFQ6vuvimHY62gBrHcw+PmDmq/EbJCxSF4SN7XKo5oqB8vV595Qk' 'GRRJE+7DSFF2vzsxK8XGA+s2MWCnVe7H/8F/vnd3Y9qJfPQb2dmNzqM9kkf1W3SOoJ0Jyo/lcq' '8N1LAeSRnqoU2Lj7Ws+1uB9pC/A+gA50WNkWPwtkQO1Y2DP1SGTLJLQDo2A0GydSwGOUSFO1MX' '+8mhys9MCu6kDZ4J6JhxznwJlCFqjSDHhDpvOp2ewD0U2SqKcR7i9SsqRv6z7dKWpFK1269k2q' 'pF/jcEPJFYrPRIos239yVDMfl19vn7NCMylWHazrFCp1aur42vUYqFfqHSKCokquLIfLNrcVhh' 'gDA7z1B9zz2LgQS7L6VeSJTyFYGLA2MsLMVRIA2IFdkUqufwOdtkegtu+jH/g8oittLFW9oy8G' '7+sYOvkcGPYM50F9A8t4FWvZDs4I7INNoeHzh2l2qMtzxfP57PL5aCbstsW8d1jUeXd36+1mS2' 'Jnzl+66gUDEsb2cObJW7APjKpmlQnX0h+juC+e+tU0pra2+hELPgZe55yifctmIpKQn01rqZ6T' 'TvBqWzl29chAZr/SAbdfF2m+i114+lnP4FRv8xxX0dam3wXgIQpUinq1O1cdLaf97Fmxjlu5zh' 'Kv3VXl9NcMdtGMDy2qN6U8tv29UoqOx4GGGIwfztdwaZTThDCD5ylLfS/Myl8Oi1XWtwFgJu1f' 'pSp2/LchmV29Pvv5/J4IpKhi+6d6SLbiINLdqMi5IKRkFzwsf3MbcWsawexKED0/usvtCNdVLB' '6Yj5tsbJFUZzKw5YW72Mmg2VaojHDR2oXCJVduDM0t6nZVkBtmSfJjOPfoHUMC4K6u9uJ5ZjJR' 'aoB68zyf5WMVNgtqjj+5fIlkd58OO6dmRlNS7Zo8+NifnwXPC6+DMN2CWukqdso/OKMRZ8Ct7q' 'H7/f7pdxHgLywfLUCj0EC369TGSThUzbthHGYA8yTyr6U79LXx8aOq8fymVdsAtn8qk0dVfayv' 'gx5dZgvtfdrZj+FU9/vgderalwjFkrLs474VRrafoldQJgBlRVK7Rb7qBWGqlPGlriwrgnWm+t' 'BuUvvd3Xq1zNIK63PKKRvuw/twNTbGkRglv8q73NUomDJ2x7ucSxwbbVhnz/8AJhB5T41vTHkA' 'AAAQZVhJZklJKgAIAAAAAAAAAAAAAACcPLkoAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDE4LTA2LT' 'EyVDExOjM2OjI2LTA3OjAw4P5bqgAAACV0RVh0ZGF0ZTptb2RpZnkAMjAxOC0wNi0xMlQxMToz' 'NjoyNi0wNzowMJGj4xYAAAAASUVORK5CYII=');
packages/packages/palette_generator/test/encoded_images.dart/0
{'file_path': 'packages/packages/palette_generator/test/encoded_images.dart', 'repo_id': 'packages', 'token_count': 83397}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:io' show Directory; import 'package:flutter_test/flutter_test.dart'; import 'package:path_provider/path_provider.dart'; import 'package:path_provider_platform_interface/path_provider_platform_interface.dart'; import 'package:plugin_platform_interface/plugin_platform_interface.dart'; const String kTemporaryPath = 'temporaryPath'; const String kApplicationSupportPath = 'applicationSupportPath'; const String kDownloadsPath = 'downloadsPath'; const String kLibraryPath = 'libraryPath'; const String kApplicationDocumentsPath = 'applicationDocumentsPath'; const String kExternalCachePath = 'externalCachePath'; const String kExternalStoragePath = 'externalStoragePath'; void main() { TestWidgetsFlutterBinding.ensureInitialized(); group('PathProvider full implementation', () { setUp(() async { PathProviderPlatform.instance = FakePathProviderPlatform(); }); test('getTemporaryDirectory', () async { final Directory result = await getTemporaryDirectory(); expect(result.path, kTemporaryPath); }); test('getApplicationSupportDirectory', () async { final Directory result = await getApplicationSupportDirectory(); expect(result.path, kApplicationSupportPath); }); test('getLibraryDirectory', () async { final Directory result = await getLibraryDirectory(); expect(result.path, kLibraryPath); }); test('getApplicationDocumentsDirectory', () async { final Directory result = await getApplicationDocumentsDirectory(); expect(result.path, kApplicationDocumentsPath); }); test('getExternalStorageDirectory', () async { final Directory? result = await getExternalStorageDirectory(); expect(result?.path, kExternalStoragePath); }); test('getExternalCacheDirectories', () async { final List<Directory>? result = await getExternalCacheDirectories(); expect(result?.length, 1); expect(result?.first.path, kExternalCachePath); }); test('getExternalStorageDirectories', () async { final List<Directory>? result = await getExternalStorageDirectories(); expect(result?.length, 1); expect(result?.first.path, kExternalStoragePath); }); test('getDownloadsDirectory', () async { final Directory? result = await getDownloadsDirectory(); expect(result?.path, kDownloadsPath); }); }); group('PathProvider null implementation', () { setUp(() async { PathProviderPlatform.instance = AllNullFakePathProviderPlatform(); }); test('getTemporaryDirectory throws on null', () async { expect(getTemporaryDirectory(), throwsA(isA<MissingPlatformDirectoryException>())); }); test('getApplicationSupportDirectory throws on null', () async { expect(getApplicationSupportDirectory(), throwsA(isA<MissingPlatformDirectoryException>())); }); test('getLibraryDirectory throws on null', () async { expect(getLibraryDirectory(), throwsA(isA<MissingPlatformDirectoryException>())); }); test('getApplicationDocumentsDirectory throws on null', () async { expect(getApplicationDocumentsDirectory(), throwsA(isA<MissingPlatformDirectoryException>())); }); test('getExternalStorageDirectory passes null through', () async { final Directory? result = await getExternalStorageDirectory(); expect(result, isNull); }); test('getExternalCacheDirectories passes null through', () async { final List<Directory>? result = await getExternalCacheDirectories(); expect(result, isNull); }); test('getExternalStorageDirectories passes null through', () async { final List<Directory>? result = await getExternalStorageDirectories(); expect(result, isNull); }); test('getDownloadsDirectory passses null through', () async { final Directory? result = await getDownloadsDirectory(); expect(result, isNull); }); }); } class FakePathProviderPlatform extends Fake with MockPlatformInterfaceMixin implements PathProviderPlatform { @override Future<String?> getTemporaryPath() async { return kTemporaryPath; } @override Future<String?> getApplicationSupportPath() async { return kApplicationSupportPath; } @override Future<String?> getLibraryPath() async { return kLibraryPath; } @override Future<String?> getApplicationDocumentsPath() async { return kApplicationDocumentsPath; } @override Future<String?> getExternalStoragePath() async { return kExternalStoragePath; } @override Future<List<String>?> getExternalCachePaths() async { return <String>[kExternalCachePath]; } @override Future<List<String>?> getExternalStoragePaths({ StorageDirectory? type, }) async { return <String>[kExternalStoragePath]; } @override Future<String?> getDownloadsPath() async { return kDownloadsPath; } } class AllNullFakePathProviderPlatform extends Fake with MockPlatformInterfaceMixin implements PathProviderPlatform { @override Future<String?> getTemporaryPath() async { return null; } @override Future<String?> getApplicationSupportPath() async { return null; } @override Future<String?> getLibraryPath() async { return null; } @override Future<String?> getApplicationDocumentsPath() async { return null; } @override Future<String?> getExternalStoragePath() async { return null; } @override Future<List<String>?> getExternalCachePaths() async { return null; } @override Future<List<String>?> getExternalStoragePaths({ StorageDirectory? type, }) async { return null; } @override Future<String?> getDownloadsPath() async { return null; } }
packages/packages/path_provider/path_provider/test/path_provider_test.dart/0
{'file_path': 'packages/packages/path_provider/path_provider/test/path_provider_test.dart', 'repo_id': 'packages', 'token_count': 1850}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; import 'generated.dart'; void main() { runApp(const ExampleApp()); } /// A trivial example that validates that Pigeon is able to successfully call /// into native code. /// /// Actual testing is all done in the integration tests, which run in the /// context of the example app but don't actually rely on this class. class ExampleApp extends StatefulWidget { /// Creates a new example app. const ExampleApp({super.key}); @override State<ExampleApp> createState() => _ExampleAppState(); } class _ExampleAppState extends State<ExampleApp> { late final HostIntegrationCoreApi api; String status = 'Calling...'; @override void initState() { super.initState(); initPlatformState(); } Future<void> initPlatformState() async { api = HostIntegrationCoreApi(); try { // Make a single trivial call just to validate that everything is wired // up. await api.noop(); } catch (e) { setState(() { status = 'Failed: $e'; }); return; } setState(() { status = 'Success!'; }); } @override Widget build(BuildContext context) { return MaterialApp( home: Scaffold( appBar: AppBar( title: const Text('Pigeon integration tests'), ), body: Center( child: Text(status), ), ), ); } }
packages/packages/pigeon/platform_tests/shared_test_plugin_code/lib/example_app.dart/0
{'file_path': 'packages/packages/pigeon/platform_tests/shared_test_plugin_code/lib/example_app.dart', 'repo_id': 'packages', 'token_count': 550}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/services.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:mockito/annotations.dart'; import 'package:mockito/mockito.dart'; import 'package:shared_test_plugin_code/src/generated/multiple_arity.gen.dart'; import 'multiple_arity_test.mocks.dart'; @GenerateMocks(<Type>[BinaryMessenger]) void main() { test('multiple arity', () async { final BinaryMessenger mockMessenger = MockBinaryMessenger(); when(mockMessenger.send( 'dev.flutter.pigeon.pigeon_integration_tests.MultipleArityHostApi.subtract', any)) .thenAnswer((Invocation realInvocation) async { final Object input = MultipleArityHostApi.pigeonChannelCodec .decodeMessage(realInvocation.positionalArguments[1] as ByteData?)!; final List<Object?> args = input as List<Object?>; final int x = (args[0] as int?)!; final int y = (args[1] as int?)!; return MultipleArityHostApi.pigeonChannelCodec .encodeMessage(<Object>[x - y]); }); final MultipleArityHostApi api = MultipleArityHostApi(binaryMessenger: mockMessenger); final int result = await api.subtract(30, 10); expect(result, 20); }); }
packages/packages/pigeon/platform_tests/shared_test_plugin_code/test/multiple_arity_test.dart/0
{'file_path': 'packages/packages/pigeon/platform_tests/shared_test_plugin_code/test/multiple_arity_test.dart', 'repo_id': 'packages', 'token_count': 519}
test_on: vm
packages/packages/platform/dart_test.yaml/0
{'file_path': 'packages/packages/platform/dart_test.yaml', 'repo_id': 'packages', 'token_count': 6}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/services.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:shared_preferences_foundation/shared_preferences_foundation.dart'; import 'package:shared_preferences_platform_interface/shared_preferences_platform_interface.dart'; import 'package:shared_preferences_platform_interface/types.dart'; import 'test_api.g.dart'; class _MockSharedPreferencesApi implements TestUserDefaultsApi { final Map<String, Object> items = <String, Object>{}; @override Map<String?, Object?> getAll( String prefix, List<String?>? allowList, ) { Set<String?>? allowSet; if (allowList != null) { allowSet = Set<String>.from(allowList); } return <String?, Object?>{ for (final String key in items.keys) if (key.startsWith(prefix) && (allowSet == null || allowSet.contains(key))) key: items[key] }; } @override void remove(String key) { items.remove(key); } @override void setBool(String key, bool value) { items[key] = value; } @override void setDouble(String key, double value) { items[key] = value; } @override void setValue(String key, Object value) { items[key] = value; } @override bool clear(String prefix, List<String?>? allowList) { items.keys.toList().forEach((String key) { if (key.startsWith(prefix) && (allowList == null || allowList.contains(key))) { items.remove(key); } }); return true; } } void main() { TestWidgetsFlutterBinding.ensureInitialized(); late _MockSharedPreferencesApi api; const Map<String, Object> flutterTestValues = <String, Object>{ 'flutter.String': 'hello world', 'flutter.Bool': true, 'flutter.Int': 42, 'flutter.Double': 3.14159, 'flutter.StringList': <String>['foo', 'bar'], }; const Map<String, Object> prefixTestValues = <String, Object>{ 'prefix.String': 'hello world', 'prefix.Bool': true, 'prefix.Int': 42, 'prefix.Double': 3.14159, 'prefix.StringList': <String>['foo', 'bar'], }; const Map<String, Object> nonPrefixTestValues = <String, Object>{ 'String': 'hello world', 'Bool': true, 'Int': 42, 'Double': 3.14159, 'StringList': <String>['foo', 'bar'], }; final Map<String, Object> allTestValues = <String, Object>{}; allTestValues.addAll(flutterTestValues); allTestValues.addAll(prefixTestValues); allTestValues.addAll(nonPrefixTestValues); setUp(() { api = _MockSharedPreferencesApi(); TestUserDefaultsApi.setup(api); }); test('registerWith', () { SharedPreferencesFoundation.registerWith(); expect(SharedPreferencesStorePlatform.instance, isA<SharedPreferencesFoundation>()); }); test('remove', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); api.items['flutter.hi'] = 'world'; expect(await plugin.remove('flutter.hi'), isTrue); expect(api.items.containsKey('flutter.hi'), isFalse); }); test('clear', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); api.items['flutter.hi'] = 'world'; expect(await plugin.clear(), isTrue); expect(api.items.containsKey('flutter.hi'), isFalse); }); test('clearWithPrefix', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } Map<String?, Object?> all = await plugin.getAllWithPrefix('prefix.'); expect(all.length, 5); await plugin.clearWithPrefix('prefix.'); all = await plugin.getAll(); expect(all.length, 5); all = await plugin.getAllWithPrefix('prefix.'); expect(all.length, 0); }); test('clearWithParameters', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); expect(all.length, 5); await plugin.clearWithParameters( ClearParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); all = await plugin.getAll(); expect(all.length, 5); all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); expect(all.length, 0); }); test('clearWithParameters with allow list', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); expect(all.length, 5); await plugin.clearWithParameters( ClearParameters( filter: PreferencesFilter( prefix: 'prefix.', allowList: <String>{'prefix.String'}, ), ), ); all = await plugin.getAll(); expect(all.length, 5); all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); expect(all.length, 4); }); test('getAll', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in flutterTestValues.keys) { api.items[key] = flutterTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAll(); expect(all.length, 5); expect(all, flutterTestValues); }); test('getAllWithPrefix', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAllWithPrefix('prefix.'); expect(all.length, 5); expect(all, prefixTestValues); }); test('getAllWithParameters', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: 'prefix.'), ), ); expect(all.length, 5); expect(all, prefixTestValues); }); test('getAllWithParameters with allow list', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter( prefix: 'prefix.', allowList: <String>{'prefix.Bool'}, ), ), ); expect(all.length, 1); expect(all['prefix.Bool'], prefixTestValues['prefix.Bool']); }); test('setValue', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); expect(await plugin.setValue('Bool', 'flutter.Bool', true), isTrue); expect(api.items['flutter.Bool'], true); expect(await plugin.setValue('Double', 'flutter.Double', 1.5), isTrue); expect(api.items['flutter.Double'], 1.5); expect(await plugin.setValue('Int', 'flutter.Int', 12), isTrue); expect(api.items['flutter.Int'], 12); expect(await plugin.setValue('String', 'flutter.String', 'hi'), isTrue); expect(api.items['flutter.String'], 'hi'); expect( await plugin .setValue('StringList', 'flutter.StringList', <String>['hi']), isTrue); expect(api.items['flutter.StringList'], <String>['hi']); }); test('setValue with unsupported type', () { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); expect(() async { await plugin.setValue('Map', 'flutter.key', <String, String>{}); }, throwsA(isA<PlatformException>())); }); test('getAllWithNoPrefix', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAllWithPrefix(''); expect(all.length, 15); expect(all, allTestValues); }); test('clearWithNoPrefix', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } Map<String?, Object?> all = await plugin.getAllWithPrefix(''); expect(all.length, 15); await plugin.clearWithPrefix(''); all = await plugin.getAllWithPrefix(''); expect(all.length, 0); }); test('getAllWithNoPrefix with param', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } final Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: ''), ), ); expect(all.length, 15); expect(all, allTestValues); }); test('clearWithNoPrefix with param', () async { final SharedPreferencesFoundation plugin = SharedPreferencesFoundation(); for (final String key in allTestValues.keys) { api.items[key] = allTestValues[key]!; } Map<String?, Object?> all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: ''), ), ); expect(all.length, 15); await plugin.clearWithParameters( ClearParameters( filter: PreferencesFilter(prefix: ''), ), ); all = await plugin.getAllWithParameters( GetAllParameters( filter: PreferencesFilter(prefix: ''), ), ); expect(all.length, 0); }); }
packages/packages/shared_preferences/shared_preferences_foundation/test/shared_preferences_foundation_test.dart/0
{'file_path': 'packages/packages/shared_preferences/shared_preferences_foundation/test/shared_preferences_foundation_test.dart', 'repo_id': 'packages', 'token_count': 3808}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:typed_data'; import 'package:standard_message_codec/standard_message_codec.dart'; import 'package:test/test.dart'; const StandardMessageCodec messageCodec = StandardMessageCodec(); void main() { group('Standard method codec', () { test('Should encode and decode objects produced from codec', () { final ByteData? data = messageCodec.encodeMessage(<Object, Object>{ 'foo': true, 3: 'fizz', }); expect(messageCodec.decodeMessage(data), <Object?, Object?>{ 'foo': true, 3: 'fizz', }); }); }); group('Write and read buffer round-trip', () { test('of empty buffer', () { final WriteBuffer write = WriteBuffer(); final ByteData written = write.done(); expect(written.lengthInBytes, 0); }); test('of single byte', () { final WriteBuffer write = WriteBuffer(); write.putUint8(201); final ByteData written = write.done(); expect(written.lengthInBytes, equals(1)); final ReadBuffer read = ReadBuffer(written); expect(read.getUint8(), equals(201)); }); test('of 32-bit integer', () { final WriteBuffer write = WriteBuffer(); write.putInt32(-9); final ByteData written = write.done(); expect(written.lengthInBytes, equals(4)); final ReadBuffer read = ReadBuffer(written); expect(read.getInt32(), equals(-9)); }); test('of 32-bit integer in big endian', () { final WriteBuffer write = WriteBuffer(); write.putInt32(-9, endian: Endian.big); final ByteData written = write.done(); expect(written.lengthInBytes, equals(4)); final ReadBuffer read = ReadBuffer(written); expect(read.getInt32(endian: Endian.big), equals(-9)); }); test('of 64-bit integer', () { final WriteBuffer write = WriteBuffer(); write.putInt64(-9000000000000); final ByteData written = write.done(); expect(written.lengthInBytes, equals(8)); final ReadBuffer read = ReadBuffer(written); expect(read.getInt64(), equals(-9000000000000)); }, testOn: 'vm' /* Int64 isn't supported on web */); test('of 64-bit integer in big endian', () { final WriteBuffer write = WriteBuffer(); write.putInt64(-9000000000000, endian: Endian.big); final ByteData written = write.done(); expect(written.lengthInBytes, equals(8)); final ReadBuffer read = ReadBuffer(written); expect(read.getInt64(endian: Endian.big), equals(-9000000000000)); }, testOn: 'vm' /* Int64 isn't supported on web */); test('of double', () { final WriteBuffer write = WriteBuffer(); write.putFloat64(3.14); final ByteData written = write.done(); expect(written.lengthInBytes, equals(8)); final ReadBuffer read = ReadBuffer(written); expect(read.getFloat64(), equals(3.14)); }); test('of double in big endian', () { final WriteBuffer write = WriteBuffer(); write.putFloat64(3.14, endian: Endian.big); final ByteData written = write.done(); expect(written.lengthInBytes, equals(8)); final ReadBuffer read = ReadBuffer(written); expect(read.getFloat64(endian: Endian.big), equals(3.14)); }); test('of 32-bit int list when unaligned', () { final Int32List integers = Int32List.fromList(<int>[-99, 2, 99]); final WriteBuffer write = WriteBuffer(); write.putUint8(9); write.putInt32List(integers); final ByteData written = write.done(); expect(written.lengthInBytes, equals(16)); final ReadBuffer read = ReadBuffer(written); read.getUint8(); expect(read.getInt32List(3), equals(integers)); }); test('of 64-bit int list when unaligned', () { final Int64List integers = Int64List.fromList(<int>[-99, 2, 99]); final WriteBuffer write = WriteBuffer(); write.putUint8(9); write.putInt64List(integers); final ByteData written = write.done(); expect(written.lengthInBytes, equals(32)); final ReadBuffer read = ReadBuffer(written); read.getUint8(); expect(read.getInt64List(3), equals(integers)); }, testOn: 'vm' /* Int64 isn't supported on web */); test('of float list when unaligned', () { final Float32List floats = Float32List.fromList(<double>[3.14, double.nan]); final WriteBuffer write = WriteBuffer(); write.putUint8(9); write.putFloat32List(floats); final ByteData written = write.done(); expect(written.lengthInBytes, equals(12)); final ReadBuffer read = ReadBuffer(written); read.getUint8(); final Float32List readFloats = read.getFloat32List(2); expect(readFloats[0], closeTo(3.14, 0.0001)); expect(readFloats[1], isNaN); }); test('of double list when unaligned', () { final Float64List doubles = Float64List.fromList(<double>[3.14, double.nan]); final WriteBuffer write = WriteBuffer(); write.putUint8(9); write.putFloat64List(doubles); final ByteData written = write.done(); expect(written.lengthInBytes, equals(24)); final ReadBuffer read = ReadBuffer(written); read.getUint8(); final Float64List readDoubles = read.getFloat64List(2); expect(readDoubles[0], equals(3.14)); expect(readDoubles[1], isNaN); }); test('done twice', () { final WriteBuffer write = WriteBuffer(); write.done(); expect(() => write.done(), throwsStateError); }); test('empty WriteBuffer', () { expect( () => WriteBuffer(startCapacity: 0), throwsA(isA<AssertionError>())); }); test('size 1', () { expect(() => WriteBuffer(startCapacity: 1), returnsNormally); }); }); }
packages/packages/standard_message_codec/test/standard_message_codec_test.dart/0
{'file_path': 'packages/packages/standard_message_codec/test/standard_message_codec_test.dart', 'repo_id': 'packages', 'token_count': 2240}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: public_member_api_docs import 'dart:async'; import 'package:flutter/material.dart'; import 'package:url_launcher/link.dart'; import 'package:url_launcher/url_launcher.dart'; void main() { runApp(const MyApp()); } class MyApp extends StatelessWidget { const MyApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp( title: 'URL Launcher', theme: ThemeData( primarySwatch: Colors.blue, ), home: const MyHomePage(title: 'URL Launcher'), ); } } class MyHomePage extends StatefulWidget { const MyHomePage({super.key, required this.title}); final String title; @override State<MyHomePage> createState() => _MyHomePageState(); } class _MyHomePageState extends State<MyHomePage> { bool _hasCallSupport = false; Future<void>? _launched; String _phone = ''; @override void initState() { super.initState(); // Check for phone call support. canLaunchUrl(Uri(scheme: 'tel', path: '123')).then((bool result) { setState(() { _hasCallSupport = result; }); }); } Future<void> _launchInBrowser(Uri url) async { if (!await launchUrl( url, mode: LaunchMode.externalApplication, )) { throw Exception('Could not launch $url'); } } Future<void> _launchInBrowserView(Uri url) async { if (!await launchUrl(url, mode: LaunchMode.inAppBrowserView)) { throw Exception('Could not launch $url'); } } Future<void> _launchInWebView(Uri url) async { if (!await launchUrl(url, mode: LaunchMode.inAppWebView)) { throw Exception('Could not launch $url'); } } Future<void> _launchAsInAppWebViewWithCustomHeaders(Uri url) async { if (!await launchUrl( url, mode: LaunchMode.inAppWebView, webViewConfiguration: const WebViewConfiguration( headers: <String, String>{'my_header_key': 'my_header_value'}), )) { throw Exception('Could not launch $url'); } } Future<void> _launchInWebViewWithoutJavaScript(Uri url) async { if (!await launchUrl( url, mode: LaunchMode.inAppWebView, webViewConfiguration: const WebViewConfiguration(enableJavaScript: false), )) { throw Exception('Could not launch $url'); } } Future<void> _launchInWebViewWithoutDomStorage(Uri url) async { if (!await launchUrl( url, mode: LaunchMode.inAppWebView, webViewConfiguration: const WebViewConfiguration(enableDomStorage: false), )) { throw Exception('Could not launch $url'); } } Future<void> _launchUniversalLinkIOS(Uri url) async { final bool nativeAppLaunchSucceeded = await launchUrl( url, mode: LaunchMode.externalNonBrowserApplication, ); if (!nativeAppLaunchSucceeded) { await launchUrl( url, mode: LaunchMode.inAppBrowserView, ); } } Widget _launchStatus(BuildContext context, AsyncSnapshot<void> snapshot) { if (snapshot.hasError) { return Text('Error: ${snapshot.error}'); } else { return const Text(''); } } Future<void> _makePhoneCall(String phoneNumber) async { final Uri launchUri = Uri( scheme: 'tel', path: phoneNumber, ); await launchUrl(launchUri); } @override Widget build(BuildContext context) { // onPressed calls using this URL are not gated on a 'canLaunch' check // because the assumption is that every device can launch a web URL. final Uri toLaunch = Uri(scheme: 'https', host: 'www.cylog.org', path: 'headers/'); return Scaffold( appBar: AppBar( title: Text(widget.title), ), body: ListView( children: <Widget>[ Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ Padding( padding: const EdgeInsets.all(16.0), child: TextField( onChanged: (String text) => _phone = text, decoration: const InputDecoration( hintText: 'Input the phone number to launch')), ), ElevatedButton( onPressed: _hasCallSupport ? () => setState(() { _launched = _makePhoneCall(_phone); }) : null, child: _hasCallSupport ? const Text('Make phone call') : const Text('Calling not supported'), ), Padding( padding: const EdgeInsets.all(16.0), child: Text(toLaunch.toString()), ), ElevatedButton( onPressed: () => setState(() { _launched = _launchInBrowser(toLaunch); }), child: const Text('Launch in browser'), ), const Padding(padding: EdgeInsets.all(16.0)), ElevatedButton( onPressed: () => setState(() { _launched = _launchInBrowserView(toLaunch); }), child: const Text('Launch in app'), ), ElevatedButton( onPressed: () => setState(() { _launched = _launchAsInAppWebViewWithCustomHeaders(toLaunch); }), child: const Text('Launch in app (Custom Headers)'), ), ElevatedButton( onPressed: () => setState(() { _launched = _launchInWebViewWithoutJavaScript(toLaunch); }), child: const Text('Launch in app (JavaScript OFF)'), ), ElevatedButton( onPressed: () => setState(() { _launched = _launchInWebViewWithoutDomStorage(toLaunch); }), child: const Text('Launch in app (DOM storage OFF)'), ), const Padding(padding: EdgeInsets.all(16.0)), ElevatedButton( onPressed: () => setState(() { _launched = _launchUniversalLinkIOS(toLaunch); }), child: const Text( 'Launch a universal link in a native app, fallback to Safari.(Youtube)'), ), const Padding(padding: EdgeInsets.all(16.0)), ElevatedButton( onPressed: () => setState(() { _launched = _launchInWebView(toLaunch); Timer(const Duration(seconds: 5), () { closeInAppWebView(); }); }), child: const Text('Launch in app + close after 5 seconds'), ), const Padding(padding: EdgeInsets.all(16.0)), Link( uri: Uri.parse( 'https://pub.dev/documentation/url_launcher/latest/link/link-library.html'), target: LinkTarget.blank, builder: (BuildContext ctx, FollowLink? openLink) { return TextButton.icon( onPressed: openLink, label: const Text('Link Widget documentation'), icon: const Icon(Icons.read_more), ); }, ), const Padding(padding: EdgeInsets.all(16.0)), FutureBuilder<void>(future: _launched, builder: _launchStatus), ], ), ], ), ); } }
packages/packages/url_launcher/url_launcher/example/lib/main.dart/0
{'file_path': 'packages/packages/url_launcher/url_launcher/example/lib/main.dart', 'repo_id': 'packages', 'token_count': 3646}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter_test/flutter_test.dart'; import 'package:url_launcher_platform_interface/link.dart'; import 'package:url_launcher_platform_interface/url_launcher_platform_interface.dart'; class CapturingUrlLauncher extends UrlLauncherPlatform { String? url; bool? useSafariVC; bool? useWebView; bool? enableJavaScript; bool? enableDomStorage; bool? universalLinksOnly; Map<String, String> headers = <String, String>{}; String? webOnlyWindowName; @override final LinkDelegate? linkDelegate = null; @override Future<bool> launch( String url, { required bool useSafariVC, required bool useWebView, required bool enableJavaScript, required bool enableDomStorage, required bool universalLinksOnly, required Map<String, String> headers, String? webOnlyWindowName, }) async { this.url = url; this.useSafariVC = useSafariVC; this.useWebView = useWebView; this.enableJavaScript = enableJavaScript; this.enableDomStorage = enableDomStorage; this.universalLinksOnly = universalLinksOnly; this.headers = headers; this.webOnlyWindowName = webOnlyWindowName; return true; } } void main() { test('launchUrl calls through to launch with default options for web URL', () async { final CapturingUrlLauncher launcher = CapturingUrlLauncher(); await launcher.launchUrl('https://flutter.dev', const LaunchOptions()); expect(launcher.url, 'https://flutter.dev'); expect(launcher.useSafariVC, true); expect(launcher.useWebView, true); expect(launcher.enableJavaScript, true); expect(launcher.enableDomStorage, true); expect(launcher.universalLinksOnly, false); expect(launcher.headers, isEmpty); expect(launcher.webOnlyWindowName, null); }); test('launchUrl calls through to launch with default options for non-web URL', () async { final CapturingUrlLauncher launcher = CapturingUrlLauncher(); await launcher.launchUrl('tel:123456789', const LaunchOptions()); expect(launcher.url, 'tel:123456789'); expect(launcher.useSafariVC, false); expect(launcher.useWebView, false); expect(launcher.enableJavaScript, true); expect(launcher.enableDomStorage, true); expect(launcher.universalLinksOnly, false); expect(launcher.headers, isEmpty); expect(launcher.webOnlyWindowName, null); }); test('launchUrl calls through to launch with universal links', () async { final CapturingUrlLauncher launcher = CapturingUrlLauncher(); await launcher.launchUrl( 'https://flutter.dev', const LaunchOptions( mode: PreferredLaunchMode.externalNonBrowserApplication)); expect(launcher.url, 'https://flutter.dev'); expect(launcher.useSafariVC, false); expect(launcher.useWebView, false); expect(launcher.enableJavaScript, true); expect(launcher.enableDomStorage, true); expect(launcher.universalLinksOnly, true); expect(launcher.headers, isEmpty); expect(launcher.webOnlyWindowName, null); }); test('launchUrl calls through to launch with all non-default options', () async { final CapturingUrlLauncher launcher = CapturingUrlLauncher(); await launcher.launchUrl( 'https://flutter.dev', const LaunchOptions( mode: PreferredLaunchMode.externalApplication, webViewConfiguration: InAppWebViewConfiguration( enableJavaScript: false, enableDomStorage: false, headers: <String, String>{'foo': 'bar'}), webOnlyWindowName: 'a_name', )); expect(launcher.url, 'https://flutter.dev'); expect(launcher.useSafariVC, false); expect(launcher.useWebView, false); expect(launcher.enableJavaScript, false); expect(launcher.enableDomStorage, false); expect(launcher.universalLinksOnly, false); expect(launcher.headers['foo'], 'bar'); expect(launcher.webOnlyWindowName, 'a_name'); }); test('supportsMode defaults to true for platform default', () async { final UrlLauncherPlatform launcher = CapturingUrlLauncher(); expect( await launcher.supportsMode(PreferredLaunchMode.platformDefault), true); }); test('supportsMode defaults to false for all specific values', () async { final UrlLauncherPlatform launcher = CapturingUrlLauncher(); expect(await launcher.supportsMode(PreferredLaunchMode.externalApplication), false); expect( await launcher .supportsMode(PreferredLaunchMode.externalNonBrowserApplication), false); expect(await launcher.supportsMode(PreferredLaunchMode.inAppBrowserView), false); expect( await launcher.supportsMode(PreferredLaunchMode.inAppWebView), false); }); test('supportsCloseForMode defaults to true for in-app web views', () async { final UrlLauncherPlatform launcher = CapturingUrlLauncher(); expect( await launcher.supportsCloseForMode(PreferredLaunchMode.inAppWebView), true); }); test('supportsCloseForMode defaults to false for all other values', () async { final UrlLauncherPlatform launcher = CapturingUrlLauncher(); expect( await launcher .supportsCloseForMode(PreferredLaunchMode.externalApplication), false); expect( await launcher.supportsCloseForMode( PreferredLaunchMode.externalNonBrowserApplication), false); expect( await launcher .supportsCloseForMode(PreferredLaunchMode.inAppBrowserView), false); expect( await launcher .supportsCloseForMode(PreferredLaunchMode.platformDefault), false); }); }
packages/packages/url_launcher/url_launcher_platform_interface/test/url_launcher_platform_test.dart/0
{'file_path': 'packages/packages/url_launcher/url_launcher_platform_interface/test/url_launcher_platform_test.dart', 'repo_id': 'packages', 'token_count': 2016}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:pigeon/pigeon.dart'; @ConfigurePigeon(PigeonOptions( dartOut: 'lib/src/messages.g.dart', dartTestOut: 'test/test_api.g.dart', javaOut: 'android/src/main/java/io/flutter/plugins/videoplayer/Messages.java', javaOptions: JavaOptions( package: 'io.flutter.plugins.videoplayer', ), copyrightHeader: 'pigeons/copyright.txt', )) class TextureMessage { TextureMessage(this.textureId); int textureId; } class LoopingMessage { LoopingMessage(this.textureId, this.isLooping); int textureId; bool isLooping; } class VolumeMessage { VolumeMessage(this.textureId, this.volume); int textureId; double volume; } class PlaybackSpeedMessage { PlaybackSpeedMessage(this.textureId, this.speed); int textureId; double speed; } class PositionMessage { PositionMessage(this.textureId, this.position); int textureId; int position; } class CreateMessage { CreateMessage({required this.httpHeaders}); String? asset; String? uri; String? packageName; String? formatHint; Map<String?, String?> httpHeaders; } class MixWithOthersMessage { MixWithOthersMessage(this.mixWithOthers); bool mixWithOthers; } @HostApi(dartHostTestHandler: 'TestHostVideoPlayerApi') abstract class AndroidVideoPlayerApi { void initialize(); TextureMessage create(CreateMessage msg); void dispose(TextureMessage msg); void setLooping(LoopingMessage msg); void setVolume(VolumeMessage msg); void setPlaybackSpeed(PlaybackSpeedMessage msg); void play(TextureMessage msg); PositionMessage position(TextureMessage msg); void seekTo(PositionMessage msg); void pause(TextureMessage msg); void setMixWithOthers(MixWithOthersMessage msg); }
packages/packages/video_player/video_player_android/pigeons/messages.dart/0
{'file_path': 'packages/packages/video_player/video_player_android/pigeons/messages.dart', 'repo_id': 'packages', 'token_count': 587}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter_test/flutter_test.dart'; import 'package:video_player_platform_interface/video_player_platform_interface.dart'; void main() { // Store the initial instance before any tests change it. final VideoPlayerPlatform initialInstance = VideoPlayerPlatform.instance; test('default implementation init throws unimplemented', () async { await expectLater(() => initialInstance.init(), throwsUnimplementedError); }); test('default implementation setWebOptions throws unimplemented', () async { await expectLater( () => initialInstance.setWebOptions( 1, const VideoPlayerWebOptions(), ), throwsUnimplementedError, ); }); }
packages/packages/video_player/video_player_platform_interface/test/video_player_platform_interface_test.dart/0
{'file_path': 'packages/packages/video_player/video_player_platform_interface/test/video_player_platform_interface_test.dart', 'repo_id': 'packages', 'token_count': 252}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. /// The "length" of a video which doesn't have finite duration. // See: https://github.com/flutter/flutter/issues/107882 const Duration jsCompatibleTimeUnset = Duration( milliseconds: -9007199254740990, // Number.MIN_SAFE_INTEGER + 1. -(2^53 - 1) ); /// Converts a `num` duration coming from a [VideoElement] into a [Duration] that /// the plugin can use. /// /// From the documentation, `videoDuration` is "a double-precision floating-point /// value indicating the duration of the media in seconds. /// If no media data is available, the value `NaN` is returned. /// If the element's media doesn't have a known duration —such as for live media /// streams— the value of duration is `+Infinity`." /// /// If the `videoDuration` is finite, this method returns it as a `Duration`. /// If the `videoDuration` is `Infinity`, the duration will be /// `-9007199254740990` milliseconds. (See https://github.com/flutter/flutter/issues/107882) /// If the `videoDuration` is `NaN`, this will return null. Duration? convertNumVideoDurationToPluginDuration(num duration) { if (duration.isFinite) { return Duration( milliseconds: (duration * 1000).round(), ); } else if (duration.isInfinite) { return jsCompatibleTimeUnset; } return null; }
packages/packages/video_player/video_player_web/lib/src/duration_utils.dart/0
{'file_path': 'packages/packages/video_player/video_player_web/lib/src/duration_utils.dart', 'repo_id': 'packages', 'token_count': 421}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. /// This library contains code that's common between the client and the server. /// /// The code must be compilable both as a command-line program and as a web /// program. library web_benchmarks.common; /// The number of samples we use to collect statistics from. const int kMeasuredSampleCount = 100; /// A special value returned by the `/next-benchmark` HTTP POST request when /// all benchmarks have run and there are no more benchmarks to run. const String kEndOfBenchmarks = '__end_of_benchmarks__'; /// The default initial page to load upon opening the benchmark app or reloading /// it in Chrome. const String defaultInitialPage = 'index.html';
packages/packages/web_benchmarks/lib/src/common.dart/0
{'file_path': 'packages/packages/web_benchmarks/lib/src/common.dart', 'repo_id': 'packages', 'token_count': 207}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: avoid_print import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:web_benchmarks/client.dart'; import '../about_page.dart' show backKey; import '../home_page.dart' show aboutPageKey, textKey; import '../main.dart'; /// A recorder that measures frame building durations. abstract class AppRecorder extends WidgetRecorder { AppRecorder({required this.benchmarkName}) : super(name: benchmarkName); final String benchmarkName; // ignore: unreachable_from_main Future<void> automate(); @override Widget createWidget() { Future<void>.delayed(const Duration(milliseconds: 400), automate); return const MyApp(); } Future<void> animationStops() async { while (WidgetsBinding.instance.hasScheduledFrame) { await Future<void>.delayed(const Duration(milliseconds: 200)); } } } class ScrollRecorder extends AppRecorder { ScrollRecorder() : super(benchmarkName: 'scroll'); @override Future<void> automate() async { final ScrollableState scrollable = Scrollable.of(find.byKey(textKey).evaluate().single); await scrollable.position.animateTo( 30000, curve: Curves.linear, duration: const Duration(seconds: 20), ); } } class PageRecorder extends AppRecorder { PageRecorder() : super(benchmarkName: 'page'); bool _completed = false; @override bool shouldContinue() => profile.shouldContinue() || !_completed; @override Future<void> automate() async { final LiveWidgetController controller = LiveWidgetController(WidgetsBinding.instance); for (int i = 0; i < 10; ++i) { print('Testing round $i...'); await controller.tap(find.byKey(aboutPageKey)); await animationStops(); await controller.tap(find.byKey(backKey)); await animationStops(); } _completed = true; } } class TapRecorder extends AppRecorder { TapRecorder() : super(benchmarkName: 'tap'); bool _completed = false; @override bool shouldContinue() => profile.shouldContinue() || !_completed; @override Future<void> automate() async { final LiveWidgetController controller = LiveWidgetController(WidgetsBinding.instance); for (int i = 0; i < 10; ++i) { print('Testing round $i...'); await controller.tap(find.byIcon(Icons.add)); await animationStops(); } _completed = true; } } Future<void> main() async { await runBenchmarks(<String, RecorderFactory>{ 'scroll': () => ScrollRecorder(), 'page': () => PageRecorder(), 'tap': () => TapRecorder(), }); }
packages/packages/web_benchmarks/testing/test_app/lib/benchmarks/runner.dart/0
{'file_path': 'packages/packages/web_benchmarks/testing/test_app/lib/benchmarks/runner.dart', 'repo_id': 'packages', 'token_count': 941}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/cupertino.dart'; import 'package:flutter/foundation.dart'; import 'package:flutter/gestures.dart'; import 'package:webview_flutter_platform_interface/webview_flutter_platform_interface.dart'; import 'webview_controller.dart'; /// Displays a native WebView as a Widget. /// /// ## Platform-Specific Features /// This class contains an underlying implementation provided by the current /// platform. Once a platform implementation is imported, the examples below /// can be followed to use features provided by a platform's implementation. /// /// {@macro webview_flutter.WebViewWidget.fromPlatformCreationParams} /// /// Below is an example of accessing the platform-specific implementation for /// iOS and Android: /// /// ```dart /// final WebViewController controller = WebViewController(); /// /// final WebViewWidget webViewWidget = WebViewWidget(controller: controller); /// /// if (WebViewPlatform.instance is WebKitWebViewPlatform) { /// final WebKitWebViewWidget webKitWidget = /// webViewWidget.platform as WebKitWebViewWidget; /// } else if (WebViewPlatform.instance is AndroidWebViewPlatform) { /// final AndroidWebViewWidget androidWidget = /// webViewWidget.platform as AndroidWebViewWidget; /// } /// ``` class WebViewWidget extends StatelessWidget { /// Constructs a [WebViewWidget]. /// /// See [WebViewWidget.fromPlatformCreationParams] for setting parameters for /// a specific platform. WebViewWidget({ Key? key, required WebViewController controller, TextDirection layoutDirection = TextDirection.ltr, Set<Factory<OneSequenceGestureRecognizer>> gestureRecognizers = const <Factory<OneSequenceGestureRecognizer>>{}, }) : this.fromPlatformCreationParams( key: key, params: PlatformWebViewWidgetCreationParams( controller: controller.platform, layoutDirection: layoutDirection, gestureRecognizers: gestureRecognizers, ), ); /// Constructs a [WebViewWidget] from creation params for a specific platform. /// /// {@template webview_flutter.WebViewWidget.fromPlatformCreationParams} /// Below is an example of setting platform-specific creation parameters for /// iOS and Android: /// /// ```dart /// final WebViewController controller = WebViewController(); /// /// PlatformWebViewWidgetCreationParams params = /// PlatformWebViewWidgetCreationParams( /// controller: controller.platform, /// layoutDirection: TextDirection.ltr, /// gestureRecognizers: const <Factory<OneSequenceGestureRecognizer>>{}, /// ); /// /// if (WebViewPlatform.instance is WebKitWebViewPlatform) { /// params = WebKitWebViewWidgetCreationParams /// .fromPlatformWebViewWidgetCreationParams( /// params, /// ); /// } else if (WebViewPlatform.instance is AndroidWebViewPlatform) { /// params = AndroidWebViewWidgetCreationParams /// .fromPlatformWebViewWidgetCreationParams( /// params, /// ); /// } /// /// final WebViewWidget webViewWidget = /// WebViewWidget.fromPlatformCreationParams( /// params: params, /// ); /// ``` /// {@endtemplate} WebViewWidget.fromPlatformCreationParams({ Key? key, required PlatformWebViewWidgetCreationParams params, }) : this.fromPlatform(key: key, platform: PlatformWebViewWidget(params)); /// Constructs a [WebViewWidget] from a specific platform implementation. WebViewWidget.fromPlatform({super.key, required this.platform}); /// Implementation of [PlatformWebViewWidget] for the current platform. final PlatformWebViewWidget platform; /// The layout direction to use for the embedded WebView. late final TextDirection layoutDirection = platform.params.layoutDirection; /// Specifies which gestures should be consumed by the web view. /// /// It is possible for other gesture recognizers to be competing with the web /// view on pointer events, e.g. if the web view is inside a [ListView] the /// [ListView] will want to handle vertical drags. The web view will claim /// gestures that are recognized by any of the recognizers on this list. /// /// When `gestureRecognizers` is empty (default), the web view will only /// handle pointer events for gestures that were not claimed by any other /// gesture recognizer. late final Set<Factory<OneSequenceGestureRecognizer>> gestureRecognizers = platform.params.gestureRecognizers; @override Widget build(BuildContext context) { return platform.build(context); } }
packages/packages/webview_flutter/webview_flutter/lib/src/webview_widget.dart/0
{'file_path': 'packages/packages/webview_flutter/webview_flutter/lib/src/webview_widget.dart', 'repo_id': 'packages', 'token_count': 1398}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/foundation.dart'; /// A message that was sent by JavaScript code running in a [WebView]. /// /// Platform specific implementations can add additional fields by extending /// this class and providing a factory method that takes the /// [JavaScriptMessage] as a parameter. /// /// {@tool sample} /// This example demonstrates how to extend the [JavaScriptMessage] to /// provide additional platform specific parameters. /// /// When extending [JavaScriptMessage] additional parameters should always /// accept `null` or have a default value to prevent breaking changes. /// /// ```dart /// @immutable /// class WKWebViewScriptMessage extends JavaScriptMessage { /// WKWebViewScriptMessage._( /// JavaScriptMessage javaScriptMessage, /// this.extraData, /// ) : super(javaScriptMessage.message); /// /// factory WKWebViewScriptMessage.fromJavaScripMessage( /// JavaScriptMessage javaScripMessage, { /// String? extraData, /// }) { /// return WKWebViewScriptMessage._( /// javaScriptMessage, /// extraData: extraData, /// ); /// } /// /// final String? extraData; /// } /// ``` /// {@end-tool} @immutable class JavaScriptMessage { /// Creates a new JavaScript message object. const JavaScriptMessage({ required this.message, }); /// The contents of the message that was sent by the JavaScript code. final String message; }
packages/packages/webview_flutter/webview_flutter_platform_interface/lib/src/types/javascript_message.dart/0
{'file_path': 'packages/packages/webview_flutter/webview_flutter_platform_interface/lib/src/types/javascript_message.dart', 'repo_id': 'packages', 'token_count': 440}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/foundation.dart'; /// A cookie that can be set globally for all web views using [WebViewCookieManagerPlatform]. @immutable class WebViewCookie { /// Creates a new [WebViewCookieDelegate] const WebViewCookie({ required this.name, required this.value, required this.domain, this.path = '/', }); /// The cookie-name of the cookie. /// /// Its value should match "cookie-name" in RFC6265bis: /// https://datatracker.ietf.org/doc/html/draft-ietf-httpbis-rfc6265bis-02#section-4.1.1 final String name; /// The cookie-value of the cookie. /// /// Its value should match "cookie-value" in RFC6265bis: /// https://datatracker.ietf.org/doc/html/draft-ietf-httpbis-rfc6265bis-02#section-4.1.1 final String value; /// The domain-value of the cookie. /// /// Its value should match "domain-value" in RFC6265bis: /// https://datatracker.ietf.org/doc/html/draft-ietf-httpbis-rfc6265bis-02#section-4.1.1 final String domain; /// The path-value of the cookie, set to `/` by default. /// /// Its value should match "path-value" in RFC6265bis: /// https://datatracker.ietf.org/doc/html/draft-ietf-httpbis-rfc6265bis-02#section-4.1.1 final String path; }
packages/packages/webview_flutter/webview_flutter_platform_interface/lib/src/types/webview_cookie.dart/0
{'file_path': 'packages/packages/webview_flutter/webview_flutter_platform_interface/lib/src/types/webview_cookie.dart', 'repo_id': 'packages', 'token_count': 482}
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: unnecessary_statements import 'package:flutter_test/flutter_test.dart'; import 'package:webview_flutter_platform_interface/webview_flutter_platform_interface.dart' as main_file; void main() { test( 'ensures webview_flutter_platform_interface.dart exports classes in types directory', () { main_file.JavaScriptConsoleMessage; main_file.JavaScriptLogLevel; main_file.JavaScriptMessage; main_file.JavaScriptMode; main_file.LoadRequestMethod; main_file.NavigationDecision; main_file.NavigationRequest; main_file.NavigationRequestCallback; main_file.PageEventCallback; main_file.PlatformNavigationDelegateCreationParams; main_file.PlatformWebViewControllerCreationParams; main_file.PlatformWebViewCookieManagerCreationParams; main_file.PlatformWebViewPermissionRequest; main_file.PlatformWebViewWidgetCreationParams; main_file.ProgressCallback; main_file.WebViewPermissionResourceType; main_file.WebResourceRequest; main_file.WebResourceResponse; main_file.WebResourceError; main_file.WebResourceErrorCallback; main_file.WebViewCookie; main_file.WebResourceErrorType; main_file.UrlChange; }, ); }
packages/packages/webview_flutter/webview_flutter_platform_interface/test/webview_flutter_platform_interface_export_test.dart/0
{'file_path': 'packages/packages/webview_flutter/webview_flutter_platform_interface/test/webview_flutter_platform_interface_export_test.dart', 'repo_id': 'packages', 'token_count': 517}