diff --git a/Directory.Build.props b/Directory.Build.props deleted file mode 100644 index ae8bdf5..0000000 --- a/Directory.Build.props +++ /dev/null @@ -1,6 +0,0 @@ - - - enable - 11.0.0 - - diff --git a/FlowerApp/App.xaml b/FlowerApp/App.xaml deleted file mode 100644 index 715938f..0000000 --- a/FlowerApp/App.xaml +++ /dev/null @@ -1,16 +0,0 @@ - - - - - - - - - - - - - diff --git a/FlowerApp/App.xaml.cs b/FlowerApp/App.xaml.cs deleted file mode 100644 index 1b612c3..0000000 --- a/FlowerApp/App.xaml.cs +++ /dev/null @@ -1,11 +0,0 @@ -namespace Blahblah.FlowerApp; - -public partial class App : Application -{ - public App() - { - InitializeComponent(); - - MainPage = new AppShell(); - } -} \ No newline at end of file diff --git a/FlowerApp/AppShell.xaml b/FlowerApp/AppShell.xaml deleted file mode 100644 index 9f45c91..0000000 --- a/FlowerApp/AppShell.xaml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - - - - - - - - - - - diff --git a/FlowerApp/AppShell.xaml.cs b/FlowerApp/AppShell.xaml.cs deleted file mode 100644 index 2d7dbd4..0000000 --- a/FlowerApp/AppShell.xaml.cs +++ /dev/null @@ -1,13 +0,0 @@ -using Blahblah.FlowerApp.Views.Garden; - -namespace Blahblah.FlowerApp; - -public partial class AppShell : Shell -{ - public AppShell() - { - InitializeComponent(); - - //Routing.RegisterRoute("Garden/AddFlower", typeof(AddFlowerPage)); - } -} \ No newline at end of file diff --git a/FlowerApp/Controls/AppContentPage.cs b/FlowerApp/Controls/AppContentPage.cs deleted file mode 100644 index 2a084a0..0000000 --- a/FlowerApp/Controls/AppContentPage.cs +++ /dev/null @@ -1,226 +0,0 @@ -using Blahblah.FlowerApp.Data; -using Microsoft.Extensions.Logging; -using static Blahblah.FlowerApp.Extensions; - -namespace Blahblah.FlowerApp; - -public abstract class AppContentPage : ContentPage, ILoggerContent -{ - public ILogger Logger { get; } = null!; - - public FlowerDatabase Database { get; } = null!; - - protected AppContentPage(FlowerDatabase database, ILogger logger) - { - Database = database; - Logger = logger; - } - - protected T GetValue(BindableProperty property) - { - return (T)GetValue(property); - } - - bool hasLoading = true; - ContentView? loading; - -#if IOS - private async Task DoLoading(bool flag) -#else - private Task DoLoading(bool flag) -#endif - { - if (loading == null && hasLoading) - { - try - { - loading = (ContentView)FindByName("loading"); - } - catch - { - hasLoading = false; - } - } - if (loading != null) - { - if (flag) - { -#if IOS - loading.IsVisible = true; - await loading.FadeTo(1, easing: Easing.CubicOut); -#else - loading.Opacity = 1; - loading.IsVisible = true; -#endif - } - else - { -#if IOS - await loading.FadeTo(0, easing: Easing.CubicIn); - loading.IsVisible = false; -#else - loading.IsVisible = false; - loading.Opacity = 0; -#endif - } - } -#if ANDROID - return Task.CompletedTask; -#endif - } - - protected Task Loading(bool flag) - { - IsBusy = flag; - - if (MainThread.IsMainThread) - { - return DoLoading(flag); - } - - var source = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - await DoLoading(flag); - source.TrySetResult(); - }); - return source.Task; - } - - async Task GetLastLocationAsyncInternal() - { - try - { - var location = await Geolocation.Default.GetLastKnownLocationAsync(); - return location; - } - catch (FeatureNotSupportedException fnsEx) - { - this.LogError(fnsEx, $"Not supported on device, {fnsEx.Message}."); - } - catch (FeatureNotEnabledException fneEx) - { - this.LogError(fneEx, $"Not enabled on device, {fneEx.Message}."); - } - catch (PermissionException) - { - this.LogWarning($"User denied."); - } - catch (Exception ex) - { - this.LogError(ex, $"Error occurs while getting cached location, {ex.Message}"); - } - return null; - } - - protected Task GetLastLocationAsync() - { - if (MainThread.IsMainThread) - { - return GetLastLocationAsyncInternal(); - } - var source = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - var location = await GetLastLocationAsyncInternal(); - source.TrySetResult(location); - }); - return source.Task; - } - - TaskCompletionSource? locationTaskSource; - CancellationTokenSource? locationCancellationTokenSource; - - async Task GetCurrentLocationAsyncInternal() - { - if (locationTaskSource == null) - { - locationTaskSource = new TaskCompletionSource(); - - try - { - var request = new GeolocationRequest(GeolocationAccuracy.Best, TimeSpan.FromSeconds(10)); -#if IOS - request.RequestFullAccuracy = true; -#endif - - locationCancellationTokenSource = new CancellationTokenSource(); - - var location = await Geolocation.Default.GetLocationAsync(request, locationCancellationTokenSource.Token); - locationTaskSource.SetResult(location); - } - catch (Exception ex) - { - this.LogError(ex, $"Error occurs while getting current location, {ex.Message}"); - } - } - - return await locationTaskSource.Task; - } - - protected Task GetCurrentLocationAsync() - { - if (MainThread.IsMainThread) - { - return GetCurrentLocationAsyncInternal(); - } - var source = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - var location = await GetCurrentLocationAsyncInternal(); - source.TrySetResult(location); - }); - return source.Task; - } - - protected void CancelRequestLocation() - { - if (locationCancellationTokenSource?.IsCancellationRequested == false) - { - locationCancellationTokenSource.Cancel(); - } - } - - async Task TakePhotoInternal() - { - var status = await Permissions.CheckStatusAsync(); - - if (status == PermissionStatus.Denied) - { - await this.AlertError(L("needCameraPermission", "Flower Story needs access to the camera to take photos.")); -#if IOS - var settingsUrl = UIKit.UIApplication.OpenSettingsUrlString; - await Launcher.TryOpenAsync(settingsUrl); -#endif - return null; - } - - if (status != PermissionStatus.Granted) - { - status = await Permissions.RequestAsync(); - } - - if (status != PermissionStatus.Granted) - { - return null; - } - - var file = await MediaPicker.Default.CapturePhotoAsync(); - return file; - } - - protected Task TakePhoto() - { - if (MainThread.IsMainThread) - { - return TakePhotoInternal(); - } - var source = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - var file = await TakePhotoInternal(); - source.TrySetResult(file); - }); - return source.Task; - } -} diff --git a/FlowerApp/Controls/AppConverters.cs b/FlowerApp/Controls/AppConverters.cs deleted file mode 100644 index 33e5236..0000000 --- a/FlowerApp/Controls/AppConverters.cs +++ /dev/null @@ -1,41 +0,0 @@ -using System.Globalization; - -namespace Blahblah.FlowerApp; - -class VisibleIfNotNullConverter : IValueConverter -{ - public object? Convert(object? value, Type targetType, object? parameter, CultureInfo culture) - { - if (value is string s) - { - return !string.IsNullOrEmpty(s); - } - return value != null; - } - - public object? ConvertBack(object? value, Type targetType, object? parameter, CultureInfo culture) - { - throw new NotImplementedException(); - } -} - - -class DateTimeStringConverter : IValueConverter -{ - public string Format { get; init; } = "MM/dd HH:mm:ss"; - - public object? Convert(object? value, Type targetType, object? parameter, CultureInfo culture) - { - if (value is long time) - { - var date = DateTimeOffset.FromUnixTimeMilliseconds(time); - return date.ToLocalTime().ToString(Format); - } - return value; - } - - public object? ConvertBack(object? value, Type targetType, object? parameter, CultureInfo culture) - { - throw new NotImplementedException(); - } -} \ No newline at end of file diff --git a/FlowerApp/Controls/AppResources.cs b/FlowerApp/Controls/AppResources.cs deleted file mode 100644 index 794b992..0000000 --- a/FlowerApp/Controls/AppResources.cs +++ /dev/null @@ -1,29 +0,0 @@ -using Blahblah.FlowerApp.Data.Model; -using static Blahblah.FlowerApp.Extensions; - -namespace Blahblah.FlowerApp; - -internal class AppResources -{ - public const string EmptyCover = "empty_flower.jpg"; - - public const int EmptyUserId = -1; - - public static readonly Size EmptySize = new(512, 339); - - static readonly UserItem emptyUser = new() - { - Id = EmptyUserId, - Name = L("guest", "Guest") - }; - static UserItem? user; - - public static UserItem User => user ?? emptyUser; - - public static bool IsLogined => user != null; - - public static void SetUser(UserItem user) - { - AppResources.user = user; - } -} diff --git a/FlowerApp/Controls/FlowerClientItem.cs b/FlowerApp/Controls/FlowerClientItem.cs deleted file mode 100644 index 5c12f57..0000000 --- a/FlowerApp/Controls/FlowerClientItem.cs +++ /dev/null @@ -1,63 +0,0 @@ -using Blahblah.FlowerApp.Data.Model; -using static Blahblah.FlowerApp.Extensions; - -namespace Blahblah.FlowerApp.Controls; - -public class FlowerClientItem : BindableObject -{ - static readonly BindableProperty NameProperty = CreateProperty(nameof(Name)); - static readonly BindableProperty CategoryIdProperty = CreateProperty(nameof(CategoryId)); - static readonly BindableProperty DaysProperty = CreateProperty(nameof(Days)); - static readonly BindableProperty CoverProperty = CreateProperty(nameof(Cover)); - static readonly BindableProperty BoundsProperty = CreateProperty(nameof(Bounds)); - - public int Id { get; } - public FlowerItem? FlowerItem { get; } - - public string Name - { - get => (string)GetValue(NameProperty); - set => SetValue(NameProperty, value); - } - public int CategoryId - { - get => (int)GetValue(CategoryIdProperty); - set => SetValue(CategoryIdProperty, value); - } - public string Days - { - get => (string)GetValue(DaysProperty); - set => SetValue(DaysProperty, value); - } - public ImageSource? Cover - { - get => (ImageSource?)GetValue(CoverProperty); - set => SetValue(CoverProperty, value); - } - public Rect Bounds - { - get => (Rect)GetValue(BoundsProperty); - set => SetValue(BoundsProperty, value); - } - - public int? Width { get; set; } - public int? Height { get; set; } - - public FlowerClientItem(int id) - { - Id = id; - } - - public FlowerClientItem(FlowerItem item) : this(item.Id) - { - FlowerItem = item; - Name = item.Name; - CategoryId = item.CategoryId; - - if (item.Photos?.Length > 0 && item.Photos[0] is PhotoItem cover) - { - Width = cover.Width; - Height = cover.Height; - } - } -} diff --git a/FlowerApp/Controls/ILoggerContent.cs b/FlowerApp/Controls/ILoggerContent.cs deleted file mode 100644 index d819967..0000000 --- a/FlowerApp/Controls/ILoggerContent.cs +++ /dev/null @@ -1,11 +0,0 @@ -using Blahblah.FlowerApp.Data; -using Microsoft.Extensions.Logging; - -namespace Blahblah.FlowerApp; - -public interface ILoggerContent -{ - public ILogger Logger { get; } - - public FlowerDatabase Database { get; } -} diff --git a/FlowerApp/Controls/ItemSearchHandler.cs b/FlowerApp/Controls/ItemSearchHandler.cs deleted file mode 100644 index 75780a0..0000000 --- a/FlowerApp/Controls/ItemSearchHandler.cs +++ /dev/null @@ -1,34 +0,0 @@ -using Blahblah.FlowerApp.Controls; -using static Blahblah.FlowerApp.Extensions; - -namespace Blahblah.FlowerApp; - -public class ItemSearchHandler : SearchHandler -{ - public static readonly BindableProperty FlowersProperty = CreateProperty(nameof(Flowers)); - - public FlowerClientItem[] Flowers - { - get => (FlowerClientItem[])GetValue(FlowersProperty); - set => SetValue(FlowersProperty, value); - } - - protected override void OnQueryChanged(string oldValue, string newValue) - { - base.OnQueryChanged(oldValue, newValue); - - if (string.IsNullOrWhiteSpace(newValue)) - { - ItemsSource = null; - } - else - { - ItemsSource = Flowers?.Where(f => f.Name.Contains(newValue, StringComparison.OrdinalIgnoreCase)).ToList(); - } - } - - protected override void OnItemSelected(object item) - { - base.OnItemSelected(item); - } -} diff --git a/FlowerApp/Controls/ItemSelectorPage.cs b/FlowerApp/Controls/ItemSelectorPage.cs deleted file mode 100644 index cd86d1d..0000000 --- a/FlowerApp/Controls/ItemSelectorPage.cs +++ /dev/null @@ -1,124 +0,0 @@ -using static Blahblah.FlowerApp.Extensions; - -namespace Blahblah.FlowerApp.Controls; - -class ItemSelectorPage : ContentPage where T : IdTextItem -{ - public EventHandler? Selected; - - public ItemSelectorPage(string title, T[] source, bool multiple = false, K[]? selected = null, string display = nameof(IdTextItem.Text), string? detail = null) - { - Title = title; - - var itemsSource = source.Select(t => new SelectableItem - { - Item = t, - IsSelected = selected != null && selected.Contains(t.Id) - }).ToArray(); - - var list = new ListView - { - SelectionMode = ListViewSelectionMode.None, - ItemsSource = itemsSource, - ItemTemplate = new DataTemplate(() => - { - var content = new Grid - { - Margin = new Thickness(12, 0), - ColumnSpacing = 12, - ColumnDefinitions = - { - new(30), - new(GridLength.Star), - new(GridLength.Auto) - }, - Children = - { - new SecondaryLabel - { - VerticalOptions = LayoutOptions.Center, - HorizontalOptions = LayoutOptions.Center, - Text = Res.Check, - FontFamily = "FontAwesome" - } - .Binding(IsVisibleProperty, nameof(SelectableItem.IsSelected)), - - new Label - { - VerticalOptions = LayoutOptions.Center - } - .Binding(Label.TextProperty, $"{nameof(SelectableItem.Item)}.{display}") - .GridColumn(1) - } - }; - if (detail != null) - { - content.Children.Add( - new SecondaryLabel - { - VerticalOptions = LayoutOptions.Center - } - .Binding(Label.TextProperty, $"{nameof(SelectableItem.Item)}.{detail}") - .GridColumn(2)); - } - return new ViewCell - { - View = content - }; - }) - }; - - list.ItemTapped += List_ItemTapped; - - Content = list; - } - - private async void List_ItemTapped(object? sender, ItemTappedEventArgs e) - { - if (e.Item is SelectableItem item) - { - Selected?.Invoke(this, item.Item); - await Navigation.PopAsync(); - } - } -} - -class SelectableItem : BindableObject -{ - public static BindableProperty IsSelectedProperty = CreateProperty>(nameof(IsSelected)); - public static BindableProperty ItemProperty = CreateProperty>(nameof(Item)); - - public bool IsSelected - { - get => (bool)GetValue(IsSelectedProperty); - set => SetValue(IsSelectedProperty, value); - } - public T Item - { - get => (T)GetValue(ItemProperty); - set => SetValue(ItemProperty, value); - } -} - -class IdTextItem : BindableObject -{ - public static BindableProperty IdProperty = CreateProperty>(nameof(Id)); - public static BindableProperty TextProperty = CreateProperty>(nameof(Text)); - public static BindableProperty DetailProperty = CreateProperty>(nameof(Detail)); - - public T Id - { - get => (T)GetValue(IdProperty); - set => SetValue(IdProperty, value); - } - public string Text - { - get => (string)GetValue(TextProperty); - set => SetValue(TextProperty, value); - } - public string? Detail - { - get => (string?)GetValue(DetailProperty); - set => SetValue(DetailProperty, value); - } -} \ No newline at end of file diff --git a/FlowerApp/Controls/OptionCell.cs b/FlowerApp/Controls/OptionCell.cs deleted file mode 100644 index 26791f2..0000000 --- a/FlowerApp/Controls/OptionCell.cs +++ /dev/null @@ -1,351 +0,0 @@ -using System.ComponentModel; -using static Blahblah.FlowerApp.Extensions; -using static System.Runtime.InteropServices.JavaScript.JSType; - -namespace Blahblah.FlowerApp.Controls; - -public class TitleLabel : Label { } - -public class SecondaryLabel : Label { } - -public class IconLabel : Label { } - -public class OptionEntry : Entry { } - -public class OptionEditor : Editor { } - -public class OptionDatePicker : DatePicker { } - -public class OptionTimePicker : TimePicker { } - -public abstract class OptionCell : ViewCell -{ - public static readonly BindableProperty IconProperty = CreateProperty(nameof(Icon)); - public static readonly BindableProperty TitleProperty = CreateProperty(nameof(Title)); - public static readonly BindableProperty IsRequiredProperty = CreateProperty(nameof(IsRequired)); - - [TypeConverter(typeof(ImageSourceConverter))] - public ImageSource Icon - { - get => (ImageSource)GetValue(IconProperty); - set => SetValue(IconProperty, value); - } - public string Title - { - get => (string)GetValue(TitleProperty); - set => SetValue(TitleProperty, value); - } - public bool IsRequired - { - get => (bool)GetValue(IsRequiredProperty); - set => SetValue(IsRequiredProperty, value); - } - - protected abstract View Content { get; } - - public OptionCell() - { - View = new Grid - { - BindingContext = this, - Padding = new Thickness(20, 0), - ColumnSpacing = 12, - ColumnDefinitions = - { - new(GridLength.Auto), - new(new GridLength(.35, GridUnitType.Star)), - new(new GridLength(.65, GridUnitType.Star)) - }, - RowDefinitions = { new(44) }, - Children = - { - new Image - { - WidthRequest = 20, - HeightRequest = 20, - Aspect = Aspect.AspectFit, - VerticalOptions = LayoutOptions.Center - } - .Binding(VisualElement.IsVisibleProperty, nameof(Icon), converter: new VisibleIfNotNullConverter()) - .Binding(Image.SourceProperty, nameof(Icon)), - - new Grid - { - ColumnDefinitions = - { - new(GridLength.Auto), - new(GridLength.Star) - }, - Children = - { - new TitleLabel - { - LineBreakMode = LineBreakMode.TailTruncation, - VerticalOptions = LayoutOptions.Center - } - .Binding(Label.TextProperty, nameof(Title)), - - new SecondaryLabel - { - VerticalOptions = LayoutOptions.Center, - Text = "*" - } - .GridColumn(1) - .AppThemeBinding(Label.TextColorProperty, Res.Red100, Res.Red300) - .Binding(VisualElement.IsVisibleProperty, nameof(IsRequired)), - } - } - .GridColumn(1), - - Content.GridColumn(2) - } - } - .AppThemeBinding(VisualElement.BackgroundColorProperty, Colors.White, Res.Gray900); - } -} - -public abstract class OptionVerticalCell : OptionCell -{ - public OptionVerticalCell() - { - View = new Grid - { - BindingContext = this, - Padding = new Thickness(20, 0), - ColumnSpacing = 12, - ColumnDefinitions = - { - new(GridLength.Auto), - new(GridLength.Star) - }, - RowDefinitions = - { - new(44), - new(GridLength.Star) - }, - Children = - { - new Image - { - WidthRequest = 20, - HeightRequest = 20, - Aspect = Aspect.AspectFit, - VerticalOptions = LayoutOptions.Center - } - .Binding(VisualElement.IsVisibleProperty, nameof(Icon), converter: new VisibleIfNotNullConverter()) - .Binding(Image.SourceProperty, nameof(Icon)), - - new TitleLabel - { - LineBreakMode = LineBreakMode.TailTruncation, - VerticalOptions = LayoutOptions.Center - } - .GridColumn(1) - .Binding(Label.TextProperty, nameof(Title)), - - Content.GridRow(1).GridColumn(1) - } - } - .AppThemeBinding(VisualElement.BackgroundColorProperty, Colors.White, Res.Gray900); - } -} - -public class OptionTextCell : OptionCell -{ - public static readonly BindableProperty DetailProperty = CreateProperty(nameof(Detail)); - - public string Detail - { - get => (string)GetValue(DetailProperty); - set => SetValue(DetailProperty, value); - } - - protected override View Content => new SecondaryLabel - { - HorizontalOptions = LayoutOptions.End, - VerticalOptions = LayoutOptions.Center - } - .Binding(Label.TextProperty, nameof(Detail)); -} - -public class OptionEntryCell : OptionCell -{ - public static readonly BindableProperty TextProperty = CreateProperty(nameof(Text), defaultBindingMode: BindingMode.TwoWay); - public static readonly BindableProperty KeyboardProperty = CreateProperty(nameof(Keyboard), defaultValue: Keyboard.Default); - public static readonly BindableProperty PlaceholderProperty = CreateProperty(nameof(Placeholder)); - - public event EventHandler? Unfocused; - - public string Text - { - get => (string)GetValue(TextProperty); - set => SetValue(TextProperty, value); - } - public Keyboard Keyboard - { - get => (Keyboard)GetValue(KeyboardProperty); - set => SetValue(KeyboardProperty, value); - } - public string Placeholder - { - get => (string)GetValue(PlaceholderProperty); - set => SetValue(PlaceholderProperty, value); - } - - protected override View Content - { - get - { - var entry = new OptionEntry() - .Binding(Entry.TextProperty, nameof(Text)) - .Binding(InputView.KeyboardProperty, nameof(Keyboard)) - .Binding(Entry.PlaceholderProperty, nameof(Placeholder)); - entry.Unfocused += Entry_Unfocused; - return entry; - } - } - - private void Entry_Unfocused(object? sender, FocusEventArgs e) - { - Unfocused?.Invoke(this, e); - } -} - -public class OptionEditorCell : OptionVerticalCell -{ - public static readonly BindableProperty TextProperty = CreateProperty(nameof(Text), defaultBindingMode: BindingMode.TwoWay); - public static readonly BindableProperty KeyboardProperty = CreateProperty(nameof(Keyboard), defaultValue: Keyboard.Default); - public static readonly BindableProperty PlaceholderProperty = CreateProperty(nameof(Placeholder)); - - public string Text - { - get => (string)GetValue(TextProperty); - set => SetValue(TextProperty, value); - } - public Keyboard Keyboard - { - get => (Keyboard)GetValue(KeyboardProperty); - set => SetValue(KeyboardProperty, value); - } - public string Placeholder - { - get => (string)GetValue(PlaceholderProperty); - set => SetValue(PlaceholderProperty, value); - } - - protected override View Content => new OptionEditor() - .Binding(Editor.TextProperty, nameof(Text)) - .Binding(InputView.KeyboardProperty, nameof(Keyboard)) - .Binding(Editor.PlaceholderProperty, nameof(Placeholder)); -} - -public class OptionSwitchCell : OptionCell -{ - public static readonly BindableProperty IsToggledProperty = CreateProperty(nameof(IsToggled), defaultBindingMode: BindingMode.TwoWay); - - public bool IsToggled - { - get => (bool)GetValue(IsToggledProperty); - set => SetValue(IsToggledProperty, value); - } - - protected override View Content => new Switch - { - HorizontalOptions = LayoutOptions.End, - VerticalOptions = LayoutOptions.Center - } - .Binding(Switch.IsToggledProperty, nameof(IsToggled)); -} - -public class OptionSelectCell : OptionTextCell -{ - public static readonly BindableProperty CommandProperty = CreateProperty(nameof(Command)); - public static readonly BindableProperty CommandParameterProperty = CreateProperty(nameof(CommandParameter)); - - public Command Command - { - get => (Command)GetValue(CommandProperty); - set => SetValue(CommandProperty, value); - } - public object CommandParameter - { - get => GetValue(CommandParameterProperty); - set => SetValue(CommandParameterProperty, value); - } - - public event EventHandler? DetailTapped; - - protected override View Content - { - get - { - var tap = new TapGestureRecognizer(); - tap.Tapped += OnTapped; - - return new StackLayout - { - Orientation = StackOrientation.Horizontal, - HorizontalOptions = LayoutOptions.End, - Children = - { - new SecondaryLabel - { - VerticalOptions = LayoutOptions.Center, - } - .Binding(Label.TextProperty, nameof(Detail)), - - new IconLabel - { - VerticalOptions = LayoutOptions.Center, - Margin = new Thickness(6, 0), - Text = Res.Right - } - }, - GestureRecognizers = { tap } - }; - } - } - - private void OnTapped(object? sender, TappedEventArgs e) - { - DetailTapped?.Invoke(this, e); - } -} - -public class OptionDateTimePickerCell : OptionCell -{ - public static readonly BindableProperty DateProperty = CreateProperty(nameof(Date), defaultBindingMode: BindingMode.TwoWay); - public static readonly BindableProperty TimeProperty = CreateProperty(nameof(Time), defaultBindingMode: BindingMode.TwoWay); - - public DateTime Date - { - get => (DateTime)GetValue(DateProperty); - set => SetValue(DateProperty, value); - } - public TimeSpan Time - { - get => (TimeSpan)GetValue(TimeProperty); - set => SetValue(TimeProperty, value); - } - - protected override View Content => new Grid - { - ColumnDefinitions = - { - new(GridLength.Star), - new(GridLength.Auto), - new(GridLength.Auto) - }, - ColumnSpacing = 6, - Children = - { - new OptionDatePicker() - .Binding(DatePicker.DateProperty, nameof(Date)) - .GridColumn(1), - - new OptionTimePicker() - .Binding(TimePicker.TimeProperty, nameof(Time)) - .GridColumn(2) - } - }; -} diff --git a/FlowerApp/Data/Constants.cs b/FlowerApp/Data/Constants.cs deleted file mode 100644 index 2da0582..0000000 --- a/FlowerApp/Data/Constants.cs +++ /dev/null @@ -1,77 +0,0 @@ -using SQLite; - -namespace Blahblah.FlowerApp.Data; - -internal sealed class Constants -{ - public const string CategoryOther = "other"; - public const string EventUnknown = "unknown"; - - public const string ApiVersionName = "api_version"; - public const string LastTokenName = "last_token"; - - public const string BaseUrl = "https://app.blahblaho.com"; - public const string AppVersion = "0.3.802"; - public const string UserAgent = $"FlowerApp/{AppVersion}"; - - public const SQLiteOpenFlags SQLiteFlags = - SQLiteOpenFlags.ReadWrite | - SQLiteOpenFlags.Create | - SQLiteOpenFlags.SharedCache; - - const string dbFilename = "flowerstory.db3"; - public static string DatabasePath => Path.Combine(FileSystem.AppDataDirectory, dbFilename); - - static string? apiVersion; - public static string? ApiVersion => apiVersion; - - static string? authorization; - public static string? Authorization => authorization; - - public static void SetAuthorization(string auth) - { - authorization = auth; - } - - public static async Task Initialize(ILoggerContent logger, string? version, CancellationToken cancellation = default) - { - try - { - var v = await Extensions.FetchAsync("api/version", cancellation); - apiVersion = v; - - if (v != version) - { - var definition = await Extensions.FetchAsync($"api/consts?{v}", cancellation); - return definition; - } - } - catch (Exception ex) - { - logger.LogError(ex, $"error occurs on fetching version and definitions, {ex.Message}"); - } - - return null; - } -} - -internal record Definitions -{ - public required string ApiVersion { get; init; } - - public required Dictionary Categories { get; init; } - - public required Dictionary Events { get; init; } -} - -public record NamedItem(string Name, string? Description) -{ - public string Name { get; init; } = Name; - - public string? Description { get; init; } = Description; -} - -public record EventItem(string Name, string? Description, bool Unique) : NamedItem(Name, Description) -{ - public bool Unique { get; init; } = Unique; -} \ No newline at end of file diff --git a/FlowerApp/Data/FlowerDatabase.cs b/FlowerApp/Data/FlowerDatabase.cs deleted file mode 100644 index 1719202..0000000 --- a/FlowerApp/Data/FlowerDatabase.cs +++ /dev/null @@ -1,239 +0,0 @@ -using Blahblah.FlowerApp.Data.Model; -using Microsoft.Extensions.Logging; -using SQLite; - -namespace Blahblah.FlowerApp.Data; - -public class FlowerDatabase : ILoggerContent -{ - public ILogger Logger { get; } - - public FlowerDatabase Database => this; - - private SQLiteAsyncConnection database = null!; - - public FlowerDatabase(ILogger logger) - { - Logger = logger; - } - - private Dictionary? categories; - - private Dictionary? events; - - public Dictionary? Categories => categories; - - public string Category(int categoryId) - { - if (categories?.TryGetValue(categoryId, out var category) == true) - { - return category.Name; - } - return Constants.CategoryOther; - } - - public string Event(int eventId) - { - if (events?.TryGetValue(eventId, out var @event) == true) - { - return @event.Name; - } - return Constants.EventUnknown; - } - - private async Task Init() - { - if (database is not null) - { - return; - } - -#if DEBUG - Logger.LogInformation("database path: {path}", Constants.DatabasePath); -#endif - - database = new SQLiteAsyncConnection(Constants.DatabasePath, Constants.SQLiteFlags); - -#if DEBUG1 - var result = -#endif - await database.CreateTablesAsync(CreateFlags.None, - typeof(FlowerItem), - typeof(RecordItem), - typeof(PhotoItem), - typeof(UserItem), - typeof(DefinitionItem), - typeof(ParamItem), - typeof(LogItem)); - -#if DEBUG1 - foreach (var item in result.Results) - { - this.LogInformation($"create table {item.Key}, result: {item.Value}"); - } -#endif - } - - public async Task Setup() - { - await Init(); - -#if DEBUG1 - var token = "RF4mfoUur0vHtWzHwD42ka0FhIfGaPnBxoQgrXOYEDg="; -#else - var tk = await database.Table().FirstOrDefaultAsync(p => p.Code == Constants.LastTokenName); - var token = tk?.Value; -#endif - if (token is string t) - { - Constants.SetAuthorization(t); - var user = await database.Table().FirstOrDefaultAsync(u => u.Token == t); - if (user != null) - { - AppResources.SetUser(user); - } - } - - var version = await database.Table().FirstOrDefaultAsync(p => p.Code == Constants.ApiVersionName); - var definition = await Constants.Initialize(this, version?.Value); - - if (definition != null) - { - categories = definition.Categories; - events = definition.Events; - - this.LogInformation($"new version founded, from ({version?.Value}) to ({definition.ApiVersion})"); - - if (version == null) - { - version = new ParamItem - { - Code = Constants.ApiVersionName, - Value = definition.ApiVersion - }; - } - else - { - version.Value = definition.ApiVersion; - } - await database.InsertOrReplaceAsync(version); - - // replace local definitions - await database.DeleteAllAsync(); - - var defs = new List(); - foreach (var category in definition.Categories) - { - defs.Add(new DefinitionItem - { - DefinitionType = 0, - DefinitionId = category.Key, - Name = category.Value.Name, - Description = category.Value.Description - }); - } - foreach (var @event in definition.Events) - { - defs.Add(new DefinitionItem - { - DefinitionType = 1, - DefinitionId = @event.Key, - Name = @event.Value.Name, - Description = @event.Value.Description, - Unique = @event.Value.Unique - }); - } - var rows = await database.InsertAllAsync(defs); - this.LogInformation($"{defs.Count} definitions, {rows} rows inserted"); - } - else - { - // use local definitions - var defs = await database.Table().ToListAsync(); - var cates = new Dictionary(); - var evts = new Dictionary(); - foreach (var d in defs) - { - if (d.DefinitionType == 0) - { - // category - cates[d.DefinitionId] = new NamedItem(d.Name, d.Description); - } - else if (d.DefinitionType == 1) - { - // event - evts[d.DefinitionId] = new EventItem(d.Name, d.Description, d.Unique ?? false); - } - } - categories = cates; - events = evts; - } - } - - public async Task GetLogCount() - { - await Init(); - return await database.Table().Where(l => l.OwnerId < 0 || l.OwnerId == AppResources.User.Id).CountAsync(); - } - - public async Task GetLogs() - { - await Init(); - return await database.Table().Where(l => l.OwnerId < 0 || l.OwnerId == AppResources.User.Id).OrderByDescending(l => l.LogUnixTime).ToArrayAsync(); - } - - public async Task AddLog(LogItem log) - { - await Init(); - return await database.InsertAsync(log); - } - - public async Task GetFlowers() - { - await Init(); - return await database.Table().ToArrayAsync(); - } - - public async Task UpdateFlowers(IEnumerable flowers) - { - await Init(); - - var ids = flowers.Select(f => f.Id).ToList(); - var count = await database.Table().DeleteAsync(f => ids.Contains(f.Id)); - await database.Table().DeleteAsync(p => p.RecordId == null && ids.Contains(p.FlowerId)); - - await database.InsertAllAsync(flowers); - foreach (var flower in flowers) - { - if (flower.Photos?.Length > 0) - { - await database.InsertAllAsync(flower.Photos); - } - } - return count; - } - - public async Task SetUser(UserItem user) - { - await Init(); - var count = user.Id > 0 ? - await database.Table().CountAsync(u => u.Id == user.Id) : - 0; - if (count > 0) - { - count = await database.UpdateAsync(user); - } - else - { - count = await database.InsertAsync(user); - } - if (count > 0) - { - var c = await database.Table().FirstOrDefaultAsync(p => p.Code == Constants.LastTokenName); - c ??= new ParamItem { Code = Constants.LastTokenName }; - c.Value = user.Token; - await database.InsertOrReplaceAsync(c); - } - return count; - } -} diff --git a/FlowerApp/Data/Model/DefinitionItem.cs b/FlowerApp/Data/Model/DefinitionItem.cs deleted file mode 100644 index 8a5102d..0000000 --- a/FlowerApp/Data/Model/DefinitionItem.cs +++ /dev/null @@ -1,29 +0,0 @@ -using SQLite; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("definitions")] -public class DefinitionItem -{ - [Column("did"), PrimaryKey, AutoIncrement] - public int Id { get; set; } - - /// - /// - 0: category - /// - 1: event - /// - [Column("type"), NotNull] - public int DefinitionType { get; set; } - - [Column("id"), NotNull] - public int DefinitionId { get; set; } - - [Column("name"), NotNull] - public string Name { get; set; } = null!; - - [Column("description")] - public string? Description { get; set; } - - [Column("unique")] - public bool? Unique { get; set; } -} diff --git a/FlowerApp/Data/Model/FlowerItem.cs b/FlowerApp/Data/Model/FlowerItem.cs deleted file mode 100644 index dd39b38..0000000 --- a/FlowerApp/Data/Model/FlowerItem.cs +++ /dev/null @@ -1,50 +0,0 @@ -using SQLite; -using System.Text.Json.Serialization; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("flowers")] -public class FlowerItem -{ - [Column("fid"), PrimaryKey, NotNull] - public int Id { get; set; } - - [Column("uid"), NotNull] - public int OwnerId { get; set; } - - [Column("category"), NotNull] - public int CategoryId { get; set; } - - [Column("Name"), NotNull] - public string Name { get; set; } = null!; - - [Column("datebuy"), JsonPropertyName("dateBuy"), NotNull] - public long DateBuyUnixTime { get; set; } - - [Column("cost")] - public decimal? Cost { get; set; } - - [Column("purchase")] - public string? Purchase { get; set; } - - [Column("memo")] - public string? Memo { get; set; } - - [Column("latitude")] - public double? Latitude { get; set; } - - [Column("longitude")] - public double? Longitude { get; set; } - - [Ignore] - public PhotoItem[]? Photos { get; set; } - - [Ignore] - public int? Distance { get; set; } - - public override string ToString() - { - // TODO: - return $"id: {Id}, owner: {OwnerId}, category: {CategoryId}, name: {Name}, date: {DateBuyUnixTime}, ..."; - } -} diff --git a/FlowerApp/Data/Model/LogItem.cs b/FlowerApp/Data/Model/LogItem.cs deleted file mode 100644 index 574563f..0000000 --- a/FlowerApp/Data/Model/LogItem.cs +++ /dev/null @@ -1,34 +0,0 @@ -using SQLite; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("logs")] -public class LogItem -{ - [Column("lid"), PrimaryKey, AutoIncrement] - public int Id { get; set; } - - [Column("logtime"), NotNull] - public long LogUnixTime { get; set; } - - [Column("uid"), NotNull] - public int OwnerId { get; set; } - - [Column("logtype"), NotNull] - public string LogType { get; set; } = null!; - - [Column("category"), NotNull] - public string Category { get; set; } = null!; - - [Column("message"), NotNull] - public string Message { get; set; } = null!; - - [Column("source")] - public string? Source { get; set; } = null!; - - [Column("description")] - public string? Description { get; set; } - - [Column("client")] - public string? ClientAgent { get; set; } -} diff --git a/FlowerApp/Data/Model/ParamItem.cs b/FlowerApp/Data/Model/ParamItem.cs deleted file mode 100644 index 8a17564..0000000 --- a/FlowerApp/Data/Model/ParamItem.cs +++ /dev/null @@ -1,19 +0,0 @@ -using SQLite; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("params")] -public class ParamItem -{ - [Column("code"), PrimaryKey, NotNull] - public string Code { get; set; } = null!; - - [Column("uid"), NotNull] - public int OwnerId { get; set; } = AppResources.EmptyUserId; - - [Column("value"), NotNull] - public string Value { get; set; } = null!; - - [Column("description")] - public string? Description { get; set; } -} diff --git a/FlowerApp/Data/Model/PhotoItem.cs b/FlowerApp/Data/Model/PhotoItem.cs deleted file mode 100644 index c350cab..0000000 --- a/FlowerApp/Data/Model/PhotoItem.cs +++ /dev/null @@ -1,41 +0,0 @@ -using SQLite; -using System.Text.Json.Serialization; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("photos")] -public class PhotoItem -{ - [Column("pid"), PrimaryKey, NotNull] - public int Id { get; set; } - - [Column("uid"), NotNull] - public int OwnerId { get; set; } - - [Column("fid"), NotNull] - public int FlowerId { get; set; } - - [Column("rid")] - public int? RecordId { get; set; } - - [Column("filetype"), NotNull] - public string FileType { get; set; } = null!; - - [Column("filename"), NotNull] - public string FileName { get; set; } = null!; - - [Column("path"), NotNull] - public string Path { get; set; } = null!; - - [Column("dateupload"), JsonPropertyName("dateUpload"), NotNull] - public long DateUploadUnixTime { get; set; } - - [Column("url")] - public string Url { get; set; } = null!; - - [Column("width")] - public int? Width { get; set; } - - [Column("height")] - public int? Height { get; set; } -} diff --git a/FlowerApp/Data/Model/RecordItem.cs b/FlowerApp/Data/Model/RecordItem.cs deleted file mode 100644 index baa831f..0000000 --- a/FlowerApp/Data/Model/RecordItem.cs +++ /dev/null @@ -1,41 +0,0 @@ -using SQLite; -using System.Text.Json.Serialization; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("records")] -public class RecordItem -{ - [Column("rid"), PrimaryKey, NotNull] - public int Id { get; set; } - - [Column("uid"), NotNull] - public int OwnerId { get; set; } - - [Column("fid"), NotNull] - public int FlowerId { get; set; } - - [Column("event"), NotNull] - public int EventId { get; set; } - - [Column("date"), JsonPropertyName("date"), NotNull] - public long DateUnixTime { get; set; } - - [Column("byuid")] - public int? ByUserId { get; set; } - - [Column("byname")] - public string? ByUserName { get; set; } - - [Column("memo")] - public string? Memo { get; set; } - - [Column("latitude")] - public double? Latitude { get; set; } - - [Column("longitude")] - public double? Longitude { get; set; } - - [Ignore] - public PhotoItem[]? Photos { get; set; } -} diff --git a/FlowerApp/Data/Model/UserItem.cs b/FlowerApp/Data/Model/UserItem.cs deleted file mode 100644 index dfd6aaa..0000000 --- a/FlowerApp/Data/Model/UserItem.cs +++ /dev/null @@ -1,40 +0,0 @@ -using SQLite; -using System.Text.Json.Serialization; - -namespace Blahblah.FlowerApp.Data.Model; - -[Table("users")] -public class UserItem -{ - [Column("uid"), PrimaryKey, NotNull] - public int Id { get; set; } - - [Column("token"), Indexed, NotNull] - public string Token { get; set; } = null!; - - [Column("id"), NotNull] - public string UserId { get; set; } = null!; - - [Column("name"), NotNull] - public string Name { get; set; } = null!; - - [Column("level"), NotNull] - public int Level { get; set; } - - [Column("regdate"), JsonPropertyName("registerDate"), NotNull] - public long RegisterDateUnixTime { get; set; } - - [Column("email")] - public string? Email { get; set; } - - [Column("mobile")] - public string? Mobile { get; set; } - - [Column("avatar")] - public byte[]? Avatar { get; set; } - - public override string ToString() - { - return $"{{ Id: {Id}, Token: \"{Token}\", UserId: \"{UserId}\", Name: \"{Name}\", Level: {Level}, RegisterDate: \"{DateTimeOffset.FromUnixTimeMilliseconds(RegisterDateUnixTime)}\" }}"; - } -} diff --git a/FlowerApp/Extensions.cs b/FlowerApp/Extensions.cs deleted file mode 100644 index beb192d..0000000 --- a/FlowerApp/Extensions.cs +++ /dev/null @@ -1,223 +0,0 @@ -using Blahblah.FlowerApp.Data; -using Microsoft.Extensions.Logging; -using System.Net.Http.Json; - -namespace Blahblah.FlowerApp; - -internal sealed class Extensions -{ - public static string L(string key, string defaultValue = "") - { - return LocalizationResource.GetText(key, defaultValue); - } - - public static BindableProperty CreateProperty(string propertyName, T? defaultValue = default, BindingMode defaultBindingMode = BindingMode.OneWay, BindableProperty.BindingPropertyChangedDelegate? propertyChanged = null) - { - return BindableProperty.Create(propertyName, typeof(T), typeof(V), defaultValue, defaultBindingMode, propertyChanged: propertyChanged); - } - - public static async Task FetchAsync(string url, CancellationToken cancellation = default) - { - using var client = new HttpClient(); - var authorization = Constants.Authorization; - if (authorization != null) - { - client.DefaultRequestHeaders.TryAddWithoutValidation("Authorization", authorization); - } - return await client.GetFromJsonAsync($"{Constants.BaseUrl}/{url}", cancellation); - } - - public static async Task PostAsync(string url, T data, CancellationToken cancellation = default) - { - using var client = new HttpClient(); - var authorization = Constants.Authorization; - if (authorization != null) - { - client.DefaultRequestHeaders.TryAddWithoutValidation("Authorization", authorization); - } - using var response = await client.PostAsJsonAsync($"{Constants.BaseUrl}/{url}", data, cancellation); - if (response != null) - { - response.EnsureSuccessStatusCode(); - var content = response.Content; - var result = await content.ReadFromJsonAsync(cancellationToken: cancellation); - return result; - } - return default; - } - - public static async Task UploadAsync(string url, MultipartFormDataContent data, CancellationToken cancellation = default) - { - using var client = new HttpClient(); - var authorization = Constants.Authorization; - if (authorization != null) - { - client.DefaultRequestHeaders.TryAddWithoutValidation("Authorization", authorization); - } - using var response = await client.PostAsJsonAsync($"{Constants.BaseUrl}/{url}", data, cancellation); - if (response != null) - { - response.EnsureSuccessStatusCode(); - var content = response.Content; - var result = await content.ReadFromJsonAsync(cancellationToken: cancellation); - return result; - } - return default; - } - - public static async Task CacheFileAsync(FileResult file) - { - string cache = Path.Combine(FileSystem.CacheDirectory, file.FileName); - - using Stream source = await file.OpenReadAsync(); - using FileStream fs = File.OpenWrite(cache); - await source.CopyToAsync(fs); - - return cache; - } -} - -internal static class LoggerExtension -{ - const LogLevel MinimumLogLevel = -#if DEBUG - LogLevel.Information; -#else - LogLevel.Warning; -#endif - - public static void LogInformation(this ILoggerContent content, string message) - { - Log(content, LogLevel.Information, null, message); - } - - public static void LogWarning(this ILoggerContent content, string message) - { - Log(content, LogLevel.Warning, null, message); - } - - public static void LogError(this ILoggerContent content, Exception? exception, string message) - { - Log(content, LogLevel.Error, exception, message); - } - - private static void Log(ILoggerContent content, LogLevel level, Exception? exception, string message) - { - if (content?.Logger is ILogger logger) - { - logger.Log(level, exception, "[{time:MM/dd HH:mm:ss}] - {message}", DateTime.UtcNow, message); - - if (level >= MinimumLogLevel && content.Database is FlowerDatabase database) - { - _ = database.AddLog(new Data.Model.LogItem - { - OwnerId = AppResources.User.Id, - LogType = level.ToString(), - LogUnixTime = DateTimeOffset.UtcNow.ToUnixTimeMilliseconds(), - Category = "logger", - ClientAgent = Constants.UserAgent, - Message = message, - Description = exception?.ToString(), - Source = exception?.Source - }); - } - } - } -} - -internal static class PageExtension -{ - public static T Binding(this T obj, BindableProperty property, string path, BindingMode mode = BindingMode.Default, IValueConverter? converter = null) where T : BindableObject - { - obj.SetBinding(property, path, mode, converter); - return obj; - } - - public static T AppThemeBinding(this T obj, BindableProperty property, Color light, Color dark) where T : BindableObject - { - obj.SetAppThemeColor(property, light, dark); - return obj; - } - - public static T GridColumn(this T view, int column) where T : BindableObject - { - Grid.SetColumn(view, column); - return view; - } - - public static T GridRow(this T view, int row) where T : BindableObject - { - Grid.SetRow(view, row); - return view; - } - - public static T GridColumnSpan(this T view, int columnSpan) where T : BindableObject - { - Grid.SetColumnSpan(view, columnSpan); - return view; - } - - public static T GridRowSpan(this T view, int rowSpan) where T : BindableObject - { - Grid.SetRowSpan(view, rowSpan); - return view; - } - - public static Task AlertError(this ContentPage page, string error) - { - return Alert(page, LocalizationResource.GetText("error", "Error"), error); - } - - public static Task Alert(this ContentPage page, string title, string message, string? cancel = null) - { - cancel ??= LocalizationResource.GetText("ok", "Ok"); - - if (MainThread.IsMainThread) - { - return page.DisplayAlert(title, message, cancel); - } - var taskSource = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - await page.DisplayAlert(title, message, cancel); - taskSource.TrySetResult(); - }); - return taskSource.Task; - } - - public static Task Confirm(this ContentPage page, string title, string question, string? accept = null, string? cancel = null) - { - accept ??= LocalizationResource.GetText("yes", "Yes"); - cancel ??= LocalizationResource.GetText("no", "No"); - - if (MainThread.IsMainThread) - { - return page.DisplayAlert(title, question, accept, cancel); - } - var taskSource = new TaskCompletionSource(); - MainThread.BeginInvokeOnMainThread(async () => - { - var result = await page.DisplayAlert(title, question, accept, cancel); - taskSource.TrySetResult(result); - }); - return taskSource.Task; - } -} - -internal static class Res -{ - public const string Filter = "\ue17c"; - public const string Camera = "\uf030"; - public const string Image = "\uf03e"; - public const string Heart = "\uf004"; - public const string Right = "\uf105"; - public const string XMarkLarge = "\ue59b"; - public const string Gear = "\uf013"; - public const string List = "\uf0ae"; - public const string Flag = "\uf2b4"; - public const string Check = "\uf00c"; - - public static readonly Color Gray900 = Color.FromRgb(0x21, 0x21, 0x21); - public static readonly Color Red100 = Color.FromRgb(0xF4, 0x43, 0x36); - public static readonly Color Red300 = Color.FromRgb(0xFF, 0xCD, 0xD2); -} \ No newline at end of file diff --git a/FlowerApp/FlowerApp.csproj b/FlowerApp/FlowerApp.csproj deleted file mode 100644 index 3e99067..0000000 --- a/FlowerApp/FlowerApp.csproj +++ /dev/null @@ -1,136 +0,0 @@ - - - - net8.0-ios - - Exe - Blahblah.FlowerApp - true - true - enable - - - - Flower Story - - - org.blahblah.flowerstory - 2a32c3a1-d02e-450d-b524-5dbea90f13ed - - - 0.3.802 - 5 - - 15.0 - 23.0 - - - - android-x64 - - - - android-x64;android-arm64 - apk - true - - - - false - manual - - - - Apple Development - Flower Story Development - - - - Apple Distribution - Flower Story Ad-Hoc - false - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - True - True - Localizations.resx - - - HomePage.xaml - - - - - - ResXFileCodeGenerator - Localizations.Designer.cs - - - ResXFileCodeGenerator - - - - - - - - - - - - - - - - - MSBuild:Compile - - - MSBuild:Compile - - - MSBuild:Compile - - - MSBuild:Compile - - - MSBuild:Compile - - - MSBuild:Compile - - - diff --git a/FlowerApp/HomePage.xaml b/FlowerApp/HomePage.xaml deleted file mode 100644 index ba4e9ea..0000000 --- a/FlowerApp/HomePage.xaml +++ /dev/null @@ -1,77 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - -