make app project standalone
@ -1,6 +0,0 @@
|
||||
<Project>
|
||||
<PropertyGroup>
|
||||
<Nullable>enable</Nullable>
|
||||
<AvaloniaVersion>11.0.0</AvaloniaVersion>
|
||||
</PropertyGroup>
|
||||
</Project>
|
@ -1,16 +0,0 @@
|
||||
<?xml version = "1.0" encoding = "UTF-8" ?>
|
||||
<Application xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:local="clr-namespace:Blahblah.FlowerApp"
|
||||
x:Class="Blahblah.FlowerApp.App">
|
||||
<Application.Resources>
|
||||
<ResourceDictionary>
|
||||
<ResourceDictionary.MergedDictionaries>
|
||||
<ResourceDictionary Source="Resources/Styles/Colors.xaml" />
|
||||
<ResourceDictionary Source="Resources/Styles/Styles.xaml" />
|
||||
</ResourceDictionary.MergedDictionaries>
|
||||
<local:VisibleIfNotNullConverter x:Key="notNullConverter"/>
|
||||
<local:DateTimeStringConverter x:Key="dateTimeConverter"/>
|
||||
</ResourceDictionary>
|
||||
</Application.Resources>
|
||||
</Application>
|
@ -1,11 +0,0 @@
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public partial class App : Application
|
||||
{
|
||||
public App()
|
||||
{
|
||||
InitializeComponent();
|
||||
|
||||
MainPage = new AppShell();
|
||||
}
|
||||
}
|
@ -1,25 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8" ?>
|
||||
<Shell
|
||||
x:Class="Blahblah.FlowerApp.AppShell"
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
Shell.FlyoutBehavior="Disabled"
|
||||
Title="Flower Story">
|
||||
|
||||
<TabBar>
|
||||
<Tab Title="{l:Lang home, Default=Garden}"
|
||||
Route="Garden" Icon="flower_tulip.png">
|
||||
<ShellContent ContentTemplate="{DataTemplate l:HomePage}"/>
|
||||
</Tab>
|
||||
<Tab Title="{l:Lang squarePage, Default=Square}"
|
||||
Route="User" Icon="cube.png">
|
||||
<ShellContent ContentTemplate="{DataTemplate l:SquarePage}"/>
|
||||
</Tab>
|
||||
<Tab Title="{l:Lang userPage, Default=Profile}"
|
||||
Route="User" Icon="user.png">
|
||||
<ShellContent ContentTemplate="{DataTemplate l:UserPage}"/>
|
||||
</Tab>
|
||||
</TabBar>
|
||||
|
||||
</Shell>
|
@ -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));
|
||||
}
|
||||
}
|
@ -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<T>(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<Location?> 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<Location?> GetLastLocationAsync()
|
||||
{
|
||||
if (MainThread.IsMainThread)
|
||||
{
|
||||
return GetLastLocationAsyncInternal();
|
||||
}
|
||||
var source = new TaskCompletionSource<Location?>();
|
||||
MainThread.BeginInvokeOnMainThread(async () =>
|
||||
{
|
||||
var location = await GetLastLocationAsyncInternal();
|
||||
source.TrySetResult(location);
|
||||
});
|
||||
return source.Task;
|
||||
}
|
||||
|
||||
TaskCompletionSource<Location?>? locationTaskSource;
|
||||
CancellationTokenSource? locationCancellationTokenSource;
|
||||
|
||||
async Task<Location?> GetCurrentLocationAsyncInternal()
|
||||
{
|
||||
if (locationTaskSource == null)
|
||||
{
|
||||
locationTaskSource = new TaskCompletionSource<Location?>();
|
||||
|
||||
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<Location?> GetCurrentLocationAsync()
|
||||
{
|
||||
if (MainThread.IsMainThread)
|
||||
{
|
||||
return GetCurrentLocationAsyncInternal();
|
||||
}
|
||||
var source = new TaskCompletionSource<Location?>();
|
||||
MainThread.BeginInvokeOnMainThread(async () =>
|
||||
{
|
||||
var location = await GetCurrentLocationAsyncInternal();
|
||||
source.TrySetResult(location);
|
||||
});
|
||||
return source.Task;
|
||||
}
|
||||
|
||||
protected void CancelRequestLocation()
|
||||
{
|
||||
if (locationCancellationTokenSource?.IsCancellationRequested == false)
|
||||
{
|
||||
locationCancellationTokenSource.Cancel();
|
||||
}
|
||||
}
|
||||
|
||||
async Task<FileResult?> TakePhotoInternal()
|
||||
{
|
||||
var status = await Permissions.CheckStatusAsync<Permissions.Camera>();
|
||||
|
||||
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<Permissions.Camera>();
|
||||
}
|
||||
|
||||
if (status != PermissionStatus.Granted)
|
||||
{
|
||||
return null;
|
||||
}
|
||||
|
||||
var file = await MediaPicker.Default.CapturePhotoAsync();
|
||||
return file;
|
||||
}
|
||||
|
||||
protected Task<FileResult?> TakePhoto()
|
||||
{
|
||||
if (MainThread.IsMainThread)
|
||||
{
|
||||
return TakePhotoInternal();
|
||||
}
|
||||
var source = new TaskCompletionSource<FileResult?>();
|
||||
MainThread.BeginInvokeOnMainThread(async () =>
|
||||
{
|
||||
var file = await TakePhotoInternal();
|
||||
source.TrySetResult(file);
|
||||
});
|
||||
return source.Task;
|
||||
}
|
||||
}
|
@ -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();
|
||||
}
|
||||
}
|
@ -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;
|
||||
}
|
||||
}
|
@ -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<string, FlowerClientItem>(nameof(Name));
|
||||
static readonly BindableProperty CategoryIdProperty = CreateProperty<int, FlowerClientItem>(nameof(CategoryId));
|
||||
static readonly BindableProperty DaysProperty = CreateProperty<string, FlowerClientItem>(nameof(Days));
|
||||
static readonly BindableProperty CoverProperty = CreateProperty<ImageSource?, FlowerClientItem>(nameof(Cover));
|
||||
static readonly BindableProperty BoundsProperty = CreateProperty<Rect, FlowerClientItem>(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;
|
||||
}
|
||||
}
|
||||
}
|
@ -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; }
|
||||
}
|
@ -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<FlowerClientItem[], ItemSearchHandler>(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);
|
||||
}
|
||||
}
|
@ -1,124 +0,0 @@
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp.Controls;
|
||||
|
||||
class ItemSelectorPage<K, T> : ContentPage where T : IdTextItem<K>
|
||||
{
|
||||
public EventHandler<T>? Selected;
|
||||
|
||||
public ItemSelectorPage(string title, T[] source, bool multiple = false, K[]? selected = null, string display = nameof(IdTextItem<K>.Text), string? detail = null)
|
||||
{
|
||||
Title = title;
|
||||
|
||||
var itemsSource = source.Select(t => new SelectableItem<T>
|
||||
{
|
||||
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<T>.IsSelected)),
|
||||
|
||||
new Label
|
||||
{
|
||||
VerticalOptions = LayoutOptions.Center
|
||||
}
|
||||
.Binding(Label.TextProperty, $"{nameof(SelectableItem<T>.Item)}.{display}")
|
||||
.GridColumn(1)
|
||||
}
|
||||
};
|
||||
if (detail != null)
|
||||
{
|
||||
content.Children.Add(
|
||||
new SecondaryLabel
|
||||
{
|
||||
VerticalOptions = LayoutOptions.Center
|
||||
}
|
||||
.Binding(Label.TextProperty, $"{nameof(SelectableItem<T>.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<T> item)
|
||||
{
|
||||
Selected?.Invoke(this, item.Item);
|
||||
await Navigation.PopAsync();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
class SelectableItem<T> : BindableObject
|
||||
{
|
||||
public static BindableProperty IsSelectedProperty = CreateProperty<bool, SelectableItem<T>>(nameof(IsSelected));
|
||||
public static BindableProperty ItemProperty = CreateProperty<T, SelectableItem<T>>(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<T> : BindableObject
|
||||
{
|
||||
public static BindableProperty IdProperty = CreateProperty<T, IdTextItem<T>>(nameof(Id));
|
||||
public static BindableProperty TextProperty = CreateProperty<string, IdTextItem<T>>(nameof(Text));
|
||||
public static BindableProperty DetailProperty = CreateProperty<string?, IdTextItem<T>>(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);
|
||||
}
|
||||
}
|
@ -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<ImageSource, OptionCell>(nameof(Icon));
|
||||
public static readonly BindableProperty TitleProperty = CreateProperty<string, OptionCell>(nameof(Title));
|
||||
public static readonly BindableProperty IsRequiredProperty = CreateProperty<bool, OptionCell>(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<string, OptionTextCell>(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<string, OptionEntryCell>(nameof(Text), defaultBindingMode: BindingMode.TwoWay);
|
||||
public static readonly BindableProperty KeyboardProperty = CreateProperty<Keyboard, OptionEntryCell>(nameof(Keyboard), defaultValue: Keyboard.Default);
|
||||
public static readonly BindableProperty PlaceholderProperty = CreateProperty<string, OptionEntryCell>(nameof(Placeholder));
|
||||
|
||||
public event EventHandler<FocusEventArgs>? 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<string, OptionEditorCell>(nameof(Text), defaultBindingMode: BindingMode.TwoWay);
|
||||
public static readonly BindableProperty KeyboardProperty = CreateProperty<Keyboard, OptionEditorCell>(nameof(Keyboard), defaultValue: Keyboard.Default);
|
||||
public static readonly BindableProperty PlaceholderProperty = CreateProperty<string, OptionEditorCell>(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<bool, OptionSwitchCell>(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<Command, OptionSelectCell>(nameof(Command));
|
||||
public static readonly BindableProperty CommandParameterProperty = CreateProperty<object, OptionSelectCell>(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<DateTime, OptionDateTimePickerCell>(nameof(Date), defaultBindingMode: BindingMode.TwoWay);
|
||||
public static readonly BindableProperty TimeProperty = CreateProperty<TimeSpan, OptionDateTimePickerCell>(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)
|
||||
}
|
||||
};
|
||||
}
|
@ -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<Definitions?> Initialize(ILoggerContent logger, string? version, CancellationToken cancellation = default)
|
||||
{
|
||||
try
|
||||
{
|
||||
var v = await Extensions.FetchAsync<string>("api/version", cancellation);
|
||||
apiVersion = v;
|
||||
|
||||
if (v != version)
|
||||
{
|
||||
var definition = await Extensions.FetchAsync<Definitions>($"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<int, NamedItem> Categories { get; init; }
|
||||
|
||||
public required Dictionary<int, EventItem> 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;
|
||||
}
|
@ -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<FlowerDatabase> logger)
|
||||
{
|
||||
Logger = logger;
|
||||
}
|
||||
|
||||
private Dictionary<int, NamedItem>? categories;
|
||||
|
||||
private Dictionary<int, EventItem>? events;
|
||||
|
||||
public Dictionary<int, NamedItem>? 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<ParamItem>().FirstOrDefaultAsync(p => p.Code == Constants.LastTokenName);
|
||||
var token = tk?.Value;
|
||||
#endif
|
||||
if (token is string t)
|
||||
{
|
||||
Constants.SetAuthorization(t);
|
||||
var user = await database.Table<UserItem>().FirstOrDefaultAsync(u => u.Token == t);
|
||||
if (user != null)
|
||||
{
|
||||
AppResources.SetUser(user);
|
||||
}
|
||||
}
|
||||
|
||||
var version = await database.Table<ParamItem>().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<DefinitionItem>();
|
||||
|
||||
var defs = new List<DefinitionItem>();
|
||||
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<DefinitionItem>().ToListAsync();
|
||||
var cates = new Dictionary<int, NamedItem>();
|
||||
var evts = new Dictionary<int, EventItem>();
|
||||
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<int> GetLogCount()
|
||||
{
|
||||
await Init();
|
||||
return await database.Table<LogItem>().Where(l => l.OwnerId < 0 || l.OwnerId == AppResources.User.Id).CountAsync();
|
||||
}
|
||||
|
||||
public async Task<LogItem[]> GetLogs()
|
||||
{
|
||||
await Init();
|
||||
return await database.Table<LogItem>().Where(l => l.OwnerId < 0 || l.OwnerId == AppResources.User.Id).OrderByDescending(l => l.LogUnixTime).ToArrayAsync();
|
||||
}
|
||||
|
||||
public async Task<int> AddLog(LogItem log)
|
||||
{
|
||||
await Init();
|
||||
return await database.InsertAsync(log);
|
||||
}
|
||||
|
||||
public async Task<FlowerItem[]> GetFlowers()
|
||||
{
|
||||
await Init();
|
||||
return await database.Table<FlowerItem>().ToArrayAsync();
|
||||
}
|
||||
|
||||
public async Task<int> UpdateFlowers(IEnumerable<FlowerItem> flowers)
|
||||
{
|
||||
await Init();
|
||||
|
||||
var ids = flowers.Select(f => f.Id).ToList();
|
||||
var count = await database.Table<FlowerItem>().DeleteAsync(f => ids.Contains(f.Id));
|
||||
await database.Table<PhotoItem>().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<int> SetUser(UserItem user)
|
||||
{
|
||||
await Init();
|
||||
var count = user.Id > 0 ?
|
||||
await database.Table<UserItem>().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<ParamItem>().FirstOrDefaultAsync(p => p.Code == Constants.LastTokenName);
|
||||
c ??= new ParamItem { Code = Constants.LastTokenName };
|
||||
c.Value = user.Token;
|
||||
await database.InsertOrReplaceAsync(c);
|
||||
}
|
||||
return count;
|
||||
}
|
||||
}
|
@ -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; }
|
||||
|
||||
/// <summary>
|
||||
/// - 0: category
|
||||
/// - 1: event
|
||||
/// </summary>
|
||||
[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; }
|
||||
}
|
@ -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}, ...";
|
||||
}
|
||||
}
|
@ -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; }
|
||||
}
|
@ -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; }
|
||||
}
|
@ -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; }
|
||||
}
|
@ -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; }
|
||||
}
|
@ -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)}\" }}";
|
||||
}
|
||||
}
|
@ -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<T, V>(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<T?> FetchAsync<T>(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<T>($"{Constants.BaseUrl}/{url}", cancellation);
|
||||
}
|
||||
|
||||
public static async Task<R?> PostAsync<T, R>(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<R>(cancellationToken: cancellation);
|
||||
return result;
|
||||
}
|
||||
return default;
|
||||
}
|
||||
|
||||
public static async Task<R?> UploadAsync<R>(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<R>(cancellationToken: cancellation);
|
||||
return result;
|
||||
}
|
||||
return default;
|
||||
}
|
||||
|
||||
public static async Task<string> 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<T>(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<T>(this T obj, BindableProperty property, Color light, Color dark) where T : BindableObject
|
||||
{
|
||||
obj.SetAppThemeColor(property, light, dark);
|
||||
return obj;
|
||||
}
|
||||
|
||||
public static T GridColumn<T>(this T view, int column) where T : BindableObject
|
||||
{
|
||||
Grid.SetColumn(view, column);
|
||||
return view;
|
||||
}
|
||||
|
||||
public static T GridRow<T>(this T view, int row) where T : BindableObject
|
||||
{
|
||||
Grid.SetRow(view, row);
|
||||
return view;
|
||||
}
|
||||
|
||||
public static T GridColumnSpan<T>(this T view, int columnSpan) where T : BindableObject
|
||||
{
|
||||
Grid.SetColumnSpan(view, columnSpan);
|
||||
return view;
|
||||
}
|
||||
|
||||
public static T GridRowSpan<T>(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<bool> 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<bool>();
|
||||
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);
|
||||
}
|
@ -1,136 +0,0 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<TargetFrameworks>net8.0-ios</TargetFrameworks>
|
||||
|
||||
<OutputType>Exe</OutputType>
|
||||
<RootNamespace>Blahblah.FlowerApp</RootNamespace>
|
||||
<UseMaui>true</UseMaui>
|
||||
<SingleProject>true</SingleProject>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<!--<PublishAot>true</PublishAot>-->
|
||||
|
||||
<!-- Display name -->
|
||||
<ApplicationTitle>Flower Story</ApplicationTitle>
|
||||
|
||||
<!-- App Identifier -->
|
||||
<ApplicationId>org.blahblah.flowerstory</ApplicationId>
|
||||
<ApplicationIdGuid>2a32c3a1-d02e-450d-b524-5dbea90f13ed</ApplicationIdGuid>
|
||||
|
||||
<!-- Versions -->
|
||||
<ApplicationDisplayVersion>0.3.802</ApplicationDisplayVersion>
|
||||
<ApplicationVersion>5</ApplicationVersion>
|
||||
|
||||
<SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios'">15.0</SupportedOSPlatformVersion>
|
||||
<SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'android'">23.0</SupportedOSPlatformVersion>
|
||||
</PropertyGroup>
|
||||
|
||||
<PropertyGroup Condition="'$(Configuration)|$(TargetFramework)' == 'Debug|net8.0-android'">
|
||||
<RuntimeIdentifiers>android-x64</RuntimeIdentifiers>
|
||||
</PropertyGroup>
|
||||
|
||||
<PropertyGroup Condition="'$(Configuration)|$(TargetFramework)' == 'Release|net8.0-android'">
|
||||
<RuntimeIdentifiers>android-x64;android-arm64</RuntimeIdentifiers>
|
||||
<AndroidPackageFormat>apk</AndroidPackageFormat>
|
||||
<AndroidCreatePackagePerAbi>true</AndroidCreatePackagePerAbi>
|
||||
</PropertyGroup>
|
||||
|
||||
<PropertyGroup Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios'">
|
||||
<CreatePackage>false</CreatePackage>
|
||||
<ProvisioningType>manual</ProvisioningType>
|
||||
</PropertyGroup>
|
||||
|
||||
<PropertyGroup Condition="'$(Configuration)|$(TargetFramework)' == 'Debug|net8.0-ios'">
|
||||
<CodesignKey>Apple Development</CodesignKey>
|
||||
<CodesignProvision>Flower Story Development</CodesignProvision>
|
||||
</PropertyGroup>
|
||||
|
||||
<PropertyGroup Condition="'$(Configuration)|$(TargetFramework)' == 'Release|net8.0-ios'">
|
||||
<CodesignKey>Apple Distribution</CodesignKey>
|
||||
<CodesignProvision>Flower Story Ad-Hoc</CodesignProvision>
|
||||
<EnableAssemblyILStripping>false</EnableAssemblyILStripping>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<!-- App Icon -->
|
||||
<MauiIcon Include="Resources\AppIcon\appicon.svg" ForegroundFile="Resources\AppIcon\appiconfg.svg" Color="#297b2c" />
|
||||
|
||||
<!-- Splash Screen -->
|
||||
<MauiSplashScreen Include="Resources\Splash\splash.svg" Color="#297b2c" BaseSize="128,128" />
|
||||
|
||||
<!-- Images -->
|
||||
<MauiImage Include="Resources\Images\*" />
|
||||
<MauiImage Update="Resources\Images\cube.svg" BaseSize="24,24" />
|
||||
<MauiImage Update="Resources\Images\flower_tulip.svg" BaseSize="24,24" />
|
||||
<MauiImage Update="Resources\Images\user.svg" BaseSize="24,24" />
|
||||
|
||||
<!-- Custom Fonts -->
|
||||
<MauiFont Include="Resources\Fonts\*" />
|
||||
|
||||
<!-- Raw Assets (also remove the "Resources\Raw" prefix) -->
|
||||
<MauiAsset Include="Resources\Raw\**" LogicalName="%(RecursiveDir)%(Filename)%(Extension)" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<!-- <PackageReference Include="CommunityToolkit.Maui" Version="5.2.0" /> -->
|
||||
<PackageReference Include="Microsoft.Extensions.Localization" Version="7.0.9" />
|
||||
<PackageReference Include="Microsoft.Maui.Controls" Version="$(MauiVersion)" />
|
||||
<PackageReference Include="Microsoft.Maui.Controls.Compatibility" Version="$(MauiVersion)" />
|
||||
<PackageReference Include="Microsoft.Extensions.Logging.Debug" Version="8.0.0-preview.6.23329.7" />
|
||||
<PackageReference Include="sqlite-net-pcl" Version="1.8.116" />
|
||||
<PackageReference Include="SQLitePCLRaw.bundle_green" Version="2.1.5" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<Compile Update="Localizations.Designer.cs">
|
||||
<DesignTime>True</DesignTime>
|
||||
<AutoGen>True</AutoGen>
|
||||
<DependentUpon>Localizations.resx</DependentUpon>
|
||||
</Compile>
|
||||
<Compile Update="HomePage.xaml.cs">
|
||||
<DependentUpon>HomePage.xaml</DependentUpon>
|
||||
</Compile>
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<EmbeddedResource Update="Localizations.resx">
|
||||
<Generator>ResXFileCodeGenerator</Generator>
|
||||
<LastGenOutput>Localizations.Designer.cs</LastGenOutput>
|
||||
</EmbeddedResource>
|
||||
<EmbeddedResource Update="Localizations.zh.resx">
|
||||
<Generator>ResXFileCodeGenerator</Generator>
|
||||
</EmbeddedResource>
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<Folder Include="Handlers\" />
|
||||
<Folder Include="Platforms\Android\Controls\" />
|
||||
<Folder Include="Platforms\iOS\Controls\" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<MauiAsset Include="Resources\en.lproj\InfoPlist.strings" />
|
||||
<MauiAsset Include="Resources\zh_CN.lproj\InfoPlist.strings" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<MauiXaml Update="LoginPage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
<MauiXaml Update="SquarePage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
<MauiXaml Update="UserPage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
<MauiXaml Update="Views\Garden\AddFlowerPage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
<MauiXaml Update="Views\User\LogItemPage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
<MauiXaml Update="Views\User\LogPage.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</MauiXaml>
|
||||
</ItemGroup>
|
||||
</Project>
|
@ -1,77 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
x:Class="Blahblah.FlowerApp.HomePage"
|
||||
x:Name="homePage"
|
||||
x:DataType="l:HomePage"
|
||||
Title="{l:Lang myGarden, Default=My Garden}">
|
||||
|
||||
<!--<Shell.SearchHandler>
|
||||
<l:ItemSearchHandler TextColor="{AppThemeBinding Light={OnPlatform Android={StaticResource Primary}, iOS={StaticResource White}}, Dark={StaticResource White}}"
|
||||
PlaceholderColor="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}"
|
||||
Placeholder="{l:Lang flowerSearchPlaceholder, Default=Enter flower name to search...}"
|
||||
Flowers="{Binding Flowers, Source={x:Reference homePage}}" DisplayMemberName="Name"
|
||||
FontFamily="OpenSansRegular" FontSize="14"
|
||||
SearchBoxVisibility="Collapsible" ShowsResults="True"/>
|
||||
</Shell.SearchHandler>-->
|
||||
<ContentPage.ToolbarItems>
|
||||
<ToolbarItem Text="{l:Lang add, Default=Add}" Clicked="AddFlower_Clicked"/>
|
||||
</ContentPage.ToolbarItems>
|
||||
|
||||
<ContentPage.Resources>
|
||||
<Style x:Key="secondaryLabel" TargetType="Label">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}"/>
|
||||
<Setter Property="FontSize" Value="12"/>
|
||||
<Setter Property="VerticalOptions" Value="Center"/>
|
||||
</Style>
|
||||
<DataTemplate x:Key="flowerTemplate" x:DataType="ctl:FlowerClientItem">
|
||||
<Frame Padding="0" CornerRadius="12" BorderColor="Transparent"
|
||||
AbsoluteLayout.LayoutFlags="XProportional"
|
||||
AbsoluteLayout.LayoutBounds="{Binding Bounds}">
|
||||
<Grid RowDefinitions="*,30,16" RowSpacing="0" ColumnSpacing="4">
|
||||
<Image Source="{Binding Cover}"/>
|
||||
<!--<Frame Grid.Row="1" Margin="0" Padding="0"
|
||||
WidthRequest="30" HeightRequest="30" CornerRadius="15"
|
||||
BorderColor="Transparent" BackgroundColor="LightGray"
|
||||
VerticalOptions="Center"></Frame>-->
|
||||
<Label Grid.Row="1" Text="{Binding Name}" VerticalOptions="Center" Margin="0,4,0,0"/>
|
||||
<Grid Grid.Row="2" ColumnSpacing="4" ColumnDefinitions="*,Auto,Auto">
|
||||
<Label Text="{Binding Days}" Style="{StaticResource secondaryLabel}"/>
|
||||
<Label Grid.Column="1" FontFamily="FontAwesomeSolid" Text="{x:Static l:Res.Heart}" Style="{StaticResource secondaryLabel}"/>
|
||||
<Label Grid.Column="2" Text="0" Style="{StaticResource secondaryLabel}"/>
|
||||
</Grid>
|
||||
</Grid>
|
||||
</Frame>
|
||||
</DataTemplate>
|
||||
</ContentPage.Resources>
|
||||
|
||||
<Grid RowDefinitions="Auto,Auto,*" BindingContext="{x:Reference homePage}">
|
||||
<SearchBar Text="{Binding SearchKey}" Placeholder="{l:Lang flowerSearchPlaceholder, Default=Enter flower name to search...}"/>
|
||||
<Grid Grid.Row="1" ColumnDefinitions="*,Auto">
|
||||
<Label VerticalOptions="Center" Text="{Binding CurrentCount}" Margin="12,0"
|
||||
TextColor="{AppThemeBinding Light={StaticResource Gray400}, Dark={StaticResource Gray600}}"/>
|
||||
<Button Grid.Column="1" BackgroundColor="Transparent" TextColor="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}"
|
||||
FontFamily="FontAwesomeSolid" Text="{x:Static l:Res.Filter}" FontSize="18"/>
|
||||
</Grid>
|
||||
<RefreshView Grid.Row="2" Refreshing="RefreshView_Refreshing" IsRefreshing="{Binding IsRefreshing}">
|
||||
<ScrollView>
|
||||
<AbsoluteLayout Margin="12,0,12,12"
|
||||
BindableLayout.ItemsSource="{Binding Flowers}"
|
||||
BindableLayout.ItemTemplate="{StaticResource flowerTemplate}">
|
||||
<BindableLayout.EmptyView>
|
||||
<Grid AbsoluteLayout.LayoutFlags="SizeProportional" AbsoluteLayout.LayoutBounds="0,20,1,1"
|
||||
RowDefinitions="Auto,Auto,*">
|
||||
<Image Source="empty_flower.jpg" MaximumWidthRequest="200" MaximumHeightRequest="133"/>
|
||||
<Label Grid.Row="1" Text="{l:Lang noFlower, Default=Click Add in the upper right corner to usher in the first plant in the garden.}"
|
||||
HorizontalTextAlignment="Center" Margin="0,10"/>
|
||||
</Grid>
|
||||
</BindableLayout.EmptyView>
|
||||
</AbsoluteLayout>
|
||||
</ScrollView>
|
||||
</RefreshView>
|
||||
</Grid>
|
||||
|
||||
</l:AppContentPage>
|
@ -1,283 +0,0 @@
|
||||
using Blahblah.FlowerApp.Controls;
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Blahblah.FlowerApp.Data.Model;
|
||||
using Blahblah.FlowerApp.Views.Garden;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System.Net;
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public partial class HomePage : AppContentPage
|
||||
{
|
||||
static readonly BindableProperty SearchKeyProperty = CreateProperty<string, HomePage>(nameof(SearchKey), propertyChanged: OnSearchKeyPropertyChanged);
|
||||
static readonly BindableProperty FlowersProperty = CreateProperty<FlowerClientItem[], HomePage>(nameof(Flowers));
|
||||
static readonly BindableProperty IsRefreshingProperty = CreateProperty<bool, HomePage>(nameof(IsRefreshing));
|
||||
static readonly BindableProperty CurrentCountProperty = CreateProperty<string?, HomePage>(nameof(CurrentCount));
|
||||
|
||||
static void OnSearchKeyPropertyChanged(BindableObject bindable, object old, object @new)
|
||||
{
|
||||
if (bindable is HomePage home && @new is string)
|
||||
{
|
||||
if (home.IsRefreshing)
|
||||
{
|
||||
home.changed = true;
|
||||
}
|
||||
else
|
||||
{
|
||||
home.IsRefreshing = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public string SearchKey
|
||||
{
|
||||
get => GetValue<string>(SearchKeyProperty);
|
||||
set => SetValue(SearchKeyProperty, value);
|
||||
}
|
||||
public FlowerClientItem[] Flowers
|
||||
{
|
||||
get => GetValue<FlowerClientItem[]>(FlowersProperty);
|
||||
set => SetValue(FlowersProperty, value);
|
||||
}
|
||||
public bool IsRefreshing
|
||||
{
|
||||
get => GetValue<bool>(IsRefreshingProperty);
|
||||
set => SetValue(IsRefreshingProperty, value);
|
||||
}
|
||||
public string? CurrentCount
|
||||
{
|
||||
get => GetValue<string?>(CurrentCountProperty);
|
||||
set => SetValue(CurrentCountProperty, value);
|
||||
}
|
||||
|
||||
bool logined = false;
|
||||
bool loaded = false;
|
||||
bool? setup;
|
||||
double pageWidth;
|
||||
bool changed = false;
|
||||
|
||||
const int margin = 12;
|
||||
const int cols = 2;
|
||||
double[] ys = null!;
|
||||
int yIndex;
|
||||
int itemWidth;
|
||||
int emptyHeight;
|
||||
|
||||
public HomePage(FlowerDatabase database, ILogger<HomePage> logger) : base(database, logger)
|
||||
{
|
||||
InitializeComponent();
|
||||
|
||||
Task.Run(async () =>
|
||||
{
|
||||
try
|
||||
{
|
||||
await Database.Setup();
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
this.LogError(ex, $"error occurs when setting up database, {ex.Message}");
|
||||
}
|
||||
finally
|
||||
{
|
||||
setup = true;
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
protected override void OnSizeAllocated(double width, double height)
|
||||
{
|
||||
base.OnSizeAllocated(width, height);
|
||||
|
||||
if (!logined)
|
||||
{
|
||||
logined = true;
|
||||
IsRefreshing = true;
|
||||
|
||||
Task.Run(async () =>
|
||||
{
|
||||
while (setup == null)
|
||||
{
|
||||
await Task.Delay(100);
|
||||
}
|
||||
|
||||
await DoValidationAsync();
|
||||
|
||||
if (!loaded)
|
||||
{
|
||||
loaded = true;
|
||||
await DoRefreshAsync();
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
pageWidth = width - margin * 2;
|
||||
if (loaded && Flowers?.Length > 0)
|
||||
{
|
||||
DoInitSize();
|
||||
foreach (var item in Flowers)
|
||||
{
|
||||
DoResizeItem(item);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private async Task<bool> DoValidationAsync()
|
||||
{
|
||||
bool invalid = true;
|
||||
var oAuth = Constants.Authorization;
|
||||
if (!string.IsNullOrEmpty(oAuth))
|
||||
{
|
||||
try
|
||||
{
|
||||
var user = await FetchAsync<UserItem>("api/user/profile");
|
||||
if (user != null)
|
||||
{
|
||||
invalid = false;
|
||||
AppResources.SetUser(user);
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
this.LogError(ex, $"token is invalid, token: {oAuth}, {ex.Message}");
|
||||
}
|
||||
}
|
||||
if (invalid)
|
||||
{
|
||||
var source = new TaskCompletionSource<bool>();
|
||||
MainThread.BeginInvokeOnMainThread(() =>
|
||||
{
|
||||
var login = new LoginPage(Database, Logger);
|
||||
var sheet = this.ShowBottomSheet(login);
|
||||
login.AfterLogined += (sender, user) =>
|
||||
{
|
||||
sheet.CloseBottomSheet();
|
||||
source.TrySetResult(true);
|
||||
};
|
||||
});
|
||||
return await source.Task;
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
private void DoInitSize()
|
||||
{
|
||||
ys = new double[cols];
|
||||
yIndex = 0;
|
||||
itemWidth = (int)(pageWidth / cols) - margin * (cols - 1) / 2;
|
||||
emptyHeight = (int)(itemWidth * AppResources.EmptySize.Height / AppResources.EmptySize.Width);
|
||||
}
|
||||
|
||||
private void DoResizeItem(FlowerClientItem item)
|
||||
{
|
||||
int height;
|
||||
if (item.Width > 0 && item.Height > 0)
|
||||
{
|
||||
height = itemWidth * item.Height.Value / item.Width.Value;
|
||||
}
|
||||
else
|
||||
{
|
||||
height = emptyHeight;
|
||||
}
|
||||
height += 46;
|
||||
double yMin = double.MaxValue;
|
||||
for (var i = 0; i < cols; i++)
|
||||
{
|
||||
if (ys[i] < yMin)
|
||||
{
|
||||
yMin = ys[i];
|
||||
yIndex = i;
|
||||
}
|
||||
}
|
||||
ys[yIndex] += height + margin;
|
||||
item.Bounds = new Rect(
|
||||
yIndex,
|
||||
yMin,
|
||||
itemWidth,
|
||||
height);
|
||||
}
|
||||
|
||||
private async Task DoRefreshAsync()
|
||||
{
|
||||
try
|
||||
{
|
||||
var url = "api/flower/latest?photo=true";
|
||||
var key = SearchKey;
|
||||
if (!string.IsNullOrWhiteSpace(key))
|
||||
{
|
||||
url += "&key=" + WebUtility.UrlEncode(key);
|
||||
}
|
||||
var result = await FetchAsync<FlowerResult>(url);
|
||||
if (result?.Count > 0)
|
||||
{
|
||||
CurrentCount = L("currentCount", "There are currently {count} plants").Replace("{count}", result.Count.ToString());
|
||||
|
||||
await Database.UpdateFlowers(result.Flowers);
|
||||
|
||||
DoInitSize();
|
||||
var daystring = L("daysPlanted", "{count} days planted");
|
||||
var flowers = result.Flowers.Select(f =>
|
||||
{
|
||||
var item = new FlowerClientItem(f);
|
||||
var days = (DateTimeOffset.UtcNow - DateTimeOffset.FromUnixTimeMilliseconds(f.DateBuyUnixTime)).TotalDays;
|
||||
item.Days = daystring.Replace("{count}", ((int)days).ToString());
|
||||
if (f.Photos?.Length > 0 && f.Photos[0] is PhotoItem cover)
|
||||
{
|
||||
item.Cover = new UriImageSource { Uri = new Uri($"{Constants.BaseUrl}/{cover.Url}") };
|
||||
}
|
||||
else
|
||||
{
|
||||
item.Cover = "empty_flower.jpg";
|
||||
}
|
||||
DoResizeItem(item);
|
||||
return item;
|
||||
});
|
||||
|
||||
Flowers = flowers.ToArray();
|
||||
}
|
||||
else
|
||||
{
|
||||
CurrentCount = null;
|
||||
Flowers = Array.Empty<FlowerClientItem>();
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await this.AlertError(L("failedGetFlowers", "Failed to get flowers, please try again."));
|
||||
this.LogError(ex, $"error occurs in HomePage, {ex.Message}");
|
||||
}
|
||||
finally
|
||||
{
|
||||
IsRefreshing = false;
|
||||
|
||||
if (changed)
|
||||
{
|
||||
changed = false;
|
||||
await Task.Delay(100);
|
||||
IsRefreshing = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void RefreshView_Refreshing(object sender, EventArgs e)
|
||||
{
|
||||
if (loaded)
|
||||
{
|
||||
Task.Run(DoRefreshAsync);
|
||||
}
|
||||
}
|
||||
|
||||
private async void AddFlower_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
//await Shell.Current.GoToAsync("AddFlower");
|
||||
var addPage = new AddFlowerPage(Database, Logger);
|
||||
await Navigation.PushAsync(addPage);
|
||||
}
|
||||
}
|
||||
|
||||
public record FlowerResult
|
||||
{
|
||||
public FlowerItem[] Flowers { get; init; } = null!;
|
||||
|
||||
public int Count { get; init; }
|
||||
}
|
@ -1,36 +0,0 @@
|
||||
using Microsoft.Extensions.Localization;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
sealed class LocalizationResource
|
||||
{
|
||||
private static IStringLocalizer<Localizations>? localizer;
|
||||
|
||||
public static IStringLocalizer<Localizations>? Localizer => localizer ??=
|
||||
#if ANDROID
|
||||
MauiApplication
|
||||
#elif IOS
|
||||
MauiUIApplicationDelegate
|
||||
#endif
|
||||
.Current.Services.GetService<IStringLocalizer<Localizations>>();
|
||||
|
||||
public static string GetText(string key, string defaultValue = "")
|
||||
{
|
||||
return Localizer?.GetString(key) ?? defaultValue;
|
||||
}
|
||||
}
|
||||
|
||||
[ContentProperty(nameof(Key))]
|
||||
public class LangExtension : IMarkupExtension
|
||||
{
|
||||
public required string Key { get; set; }
|
||||
|
||||
public string Default { get; set; } = string.Empty;
|
||||
|
||||
public object ProvideValue(IServiceProvider _)
|
||||
{
|
||||
return LocalizationResource.GetText(Key, Default);
|
||||
}
|
||||
|
||||
object IMarkupExtension.ProvideValue(IServiceProvider serviceProvider) => ProvideValue(serviceProvider);
|
||||
}
|
504
FlowerApp/Localizations.Designer.cs
generated
@ -1,504 +0,0 @@
|
||||
//------------------------------------------------------------------------------
|
||||
// <auto-generated>
|
||||
// This code was generated by a tool.
|
||||
// Runtime Version:4.0.30319.42000
|
||||
//
|
||||
// Changes to this file may cause incorrect behavior and will be lost if
|
||||
// the code is regenerated.
|
||||
// </auto-generated>
|
||||
//------------------------------------------------------------------------------
|
||||
|
||||
namespace Blahblah.FlowerApp {
|
||||
using System;
|
||||
|
||||
|
||||
/// <summary>
|
||||
/// A strongly-typed resource class, for looking up localized strings, etc.
|
||||
/// </summary>
|
||||
// This class was auto-generated by the StronglyTypedResourceBuilder
|
||||
// class via a tool like ResGen or Visual Studio.
|
||||
// To add or remove a member, edit your .ResX file then rerun ResGen
|
||||
// with the /str option, or rebuild your VS project.
|
||||
[global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "17.0.0.0")]
|
||||
[global::System.Diagnostics.DebuggerNonUserCodeAttribute()]
|
||||
[global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()]
|
||||
internal class Localizations {
|
||||
|
||||
private static global::System.Resources.ResourceManager resourceMan;
|
||||
|
||||
private static global::System.Globalization.CultureInfo resourceCulture;
|
||||
|
||||
[global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")]
|
||||
internal Localizations() {
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Returns the cached ResourceManager instance used by this class.
|
||||
/// </summary>
|
||||
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
|
||||
internal static global::System.Resources.ResourceManager ResourceManager {
|
||||
get {
|
||||
if (object.ReferenceEquals(resourceMan, null)) {
|
||||
global::System.Resources.ResourceManager temp = new global::System.Resources.ResourceManager("Blahblah.FlowerApp.Localizations", typeof(Localizations).Assembly);
|
||||
resourceMan = temp;
|
||||
}
|
||||
return resourceMan;
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Overrides the current thread's CurrentUICulture property for all
|
||||
/// resource lookups using this strongly typed resource class.
|
||||
/// </summary>
|
||||
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
|
||||
internal static global::System.Globalization.CultureInfo Culture {
|
||||
get {
|
||||
return resourceCulture;
|
||||
}
|
||||
set {
|
||||
resourceCulture = value;
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Add.
|
||||
/// </summary>
|
||||
internal static string add {
|
||||
get {
|
||||
return ResourceManager.GetString("add", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Add Flower.
|
||||
/// </summary>
|
||||
internal static string addFlower {
|
||||
get {
|
||||
return ResourceManager.GetString("addFlower", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Cost:.
|
||||
/// </summary>
|
||||
internal static string costColon {
|
||||
get {
|
||||
return ResourceManager.GetString("costColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Cost must be a positive number..
|
||||
/// </summary>
|
||||
internal static string costInvalid {
|
||||
get {
|
||||
return ResourceManager.GetString("costInvalid", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to There are currently {count} plants.
|
||||
/// </summary>
|
||||
internal static string currentCount {
|
||||
get {
|
||||
return ResourceManager.GetString("currentCount", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to {count} days planted.
|
||||
/// </summary>
|
||||
internal static string daysPlanted {
|
||||
get {
|
||||
return ResourceManager.GetString("daysPlanted", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please enter the cost.
|
||||
/// </summary>
|
||||
internal static string enterCost {
|
||||
get {
|
||||
return ResourceManager.GetString("enterCost", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please enter the flower name.
|
||||
/// </summary>
|
||||
internal static string enterFlowerName {
|
||||
get {
|
||||
return ResourceManager.GetString("enterFlowerName", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Error.
|
||||
/// </summary>
|
||||
internal static string error {
|
||||
get {
|
||||
return ResourceManager.GetString("error", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Failed to add flower, {error}, please try again later..
|
||||
/// </summary>
|
||||
internal static string failedAddFlower {
|
||||
get {
|
||||
return ResourceManager.GetString("failedAddFlower", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Failed to get flowers, please try again..
|
||||
/// </summary>
|
||||
internal static string failedGetFlowers {
|
||||
get {
|
||||
return ResourceManager.GetString("failedGetFlowers", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Failed to login, please try again later..
|
||||
/// </summary>
|
||||
internal static string failedLogin {
|
||||
get {
|
||||
return ResourceManager.GetString("failedLogin", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower category.
|
||||
/// </summary>
|
||||
internal static string flowerCategory {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerCategory", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower category:.
|
||||
/// </summary>
|
||||
internal static string flowerCategoryColon {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerCategoryColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower category is required..
|
||||
/// </summary>
|
||||
internal static string flowerCategoryRequired {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerCategoryRequired", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower name.
|
||||
/// </summary>
|
||||
internal static string flowerName {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerName", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower name is required..
|
||||
/// </summary>
|
||||
internal static string flowerNameRequired {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerNameRequired", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Enter flower name to search....
|
||||
/// </summary>
|
||||
internal static string flowerSearchPlaceholder {
|
||||
get {
|
||||
return ResourceManager.GetString("flowerSearchPlaceholder", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Forgot password?.
|
||||
/// </summary>
|
||||
internal static string forgotPassword {
|
||||
get {
|
||||
return ResourceManager.GetString("forgotPassword", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Guest.
|
||||
/// </summary>
|
||||
internal static string guest {
|
||||
get {
|
||||
return ResourceManager.GetString("guest", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Garden.
|
||||
/// </summary>
|
||||
internal static string home {
|
||||
get {
|
||||
return ResourceManager.GetString("home", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to User id and password is required..
|
||||
/// </summary>
|
||||
internal static string idPasswordRequired {
|
||||
get {
|
||||
return ResourceManager.GetString("idPasswordRequired", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Locating....
|
||||
/// </summary>
|
||||
internal static string locating {
|
||||
get {
|
||||
return ResourceManager.GetString("locating", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Location:.
|
||||
/// </summary>
|
||||
internal static string locationColon {
|
||||
get {
|
||||
return ResourceManager.GetString("locationColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Location is required..
|
||||
/// </summary>
|
||||
internal static string locationRequired {
|
||||
get {
|
||||
return ResourceManager.GetString("locationRequired", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Log In.
|
||||
/// </summary>
|
||||
internal static string logIn {
|
||||
get {
|
||||
return ResourceManager.GetString("logIn", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to {count} logs.
|
||||
/// </summary>
|
||||
internal static string logs {
|
||||
get {
|
||||
return ResourceManager.GetString("logs", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Memo:.
|
||||
/// </summary>
|
||||
internal static string memoColon {
|
||||
get {
|
||||
return ResourceManager.GetString("memoColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to My Garden.
|
||||
/// </summary>
|
||||
internal static string myGarden {
|
||||
get {
|
||||
return ResourceManager.GetString("myGarden", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Flower Story needs access to the camera to take photos..
|
||||
/// </summary>
|
||||
internal static string needCameraPermission {
|
||||
get {
|
||||
return ResourceManager.GetString("needCameraPermission", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to No.
|
||||
/// </summary>
|
||||
internal static string no {
|
||||
get {
|
||||
return ResourceManager.GetString("no", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Click "Add" in the upper right corner to usher in the first plant in the garden..
|
||||
/// </summary>
|
||||
internal static string noFlower {
|
||||
get {
|
||||
return ResourceManager.GetString("noFlower", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Your device does not support taking photos..
|
||||
/// </summary>
|
||||
internal static string notSupportedCapture {
|
||||
get {
|
||||
return ResourceManager.GetString("notSupportedCapture", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Ok.
|
||||
/// </summary>
|
||||
internal static string ok {
|
||||
get {
|
||||
return ResourceManager.GetString("ok", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Password.
|
||||
/// </summary>
|
||||
internal static string password {
|
||||
get {
|
||||
return ResourceManager.GetString("password", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Purchase from:.
|
||||
/// </summary>
|
||||
internal static string purchaseFromColon {
|
||||
get {
|
||||
return ResourceManager.GetString("purchaseFromColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Purchase time:.
|
||||
/// </summary>
|
||||
internal static string purchaseTimeColon {
|
||||
get {
|
||||
return ResourceManager.GetString("purchaseTimeColon", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Save.
|
||||
/// </summary>
|
||||
internal static string save {
|
||||
get {
|
||||
return ResourceManager.GetString("save", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Saved successfully..
|
||||
/// </summary>
|
||||
internal static string savedSuccessfully {
|
||||
get {
|
||||
return ResourceManager.GetString("savedSuccessfully", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please select the flower category.
|
||||
/// </summary>
|
||||
internal static string selectFlowerCategory {
|
||||
get {
|
||||
return ResourceManager.GetString("selectFlowerCategory", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please select the location.
|
||||
/// </summary>
|
||||
internal static string selectFlowerLocation {
|
||||
get {
|
||||
return ResourceManager.GetString("selectFlowerLocation", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please select where are you purchase from.
|
||||
/// </summary>
|
||||
internal static string selectPurchaseFrom {
|
||||
get {
|
||||
return ResourceManager.GetString("selectPurchaseFrom", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Please select the purchase time.
|
||||
/// </summary>
|
||||
internal static string selectPurchaseTime {
|
||||
get {
|
||||
return ResourceManager.GetString("selectPurchaseTime", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Square.
|
||||
/// </summary>
|
||||
internal static string squarePage {
|
||||
get {
|
||||
return ResourceManager.GetString("squarePage", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Unknown.
|
||||
/// </summary>
|
||||
internal static string unknown {
|
||||
get {
|
||||
return ResourceManager.GetString("unknown", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to User ID.
|
||||
/// </summary>
|
||||
internal static string userId {
|
||||
get {
|
||||
return ResourceManager.GetString("userId", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Profile.
|
||||
/// </summary>
|
||||
internal static string userPage {
|
||||
get {
|
||||
return ResourceManager.GetString("userPage", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Welcome, {name}.
|
||||
/// </summary>
|
||||
internal static string welcome {
|
||||
get {
|
||||
return ResourceManager.GetString("welcome", resourceCulture);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Looks up a localized string similar to Yes.
|
||||
/// </summary>
|
||||
internal static string yes {
|
||||
get {
|
||||
return ResourceManager.GetString("yes", resourceCulture);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
@ -1,267 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<root>
|
||||
<!--
|
||||
Microsoft ResX Schema
|
||||
|
||||
Version 2.0
|
||||
|
||||
The primary goals of this format is to allow a simple XML format
|
||||
that is mostly human readable. The generation and parsing of the
|
||||
various data types are done through the TypeConverter classes
|
||||
associated with the data types.
|
||||
|
||||
Example:
|
||||
|
||||
... ado.net/XML headers & schema ...
|
||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
||||
<resheader name="version">2.0</resheader>
|
||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
||||
</data>
|
||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
||||
<comment>This is a comment</comment>
|
||||
</data>
|
||||
|
||||
There are any number of "resheader" rows that contain simple
|
||||
name/value pairs.
|
||||
|
||||
Each data row contains a name, and value. The row also contains a
|
||||
type or mimetype. Type corresponds to a .NET class that support
|
||||
text/value conversion through the TypeConverter architecture.
|
||||
Classes that don't support this are serialized and stored with the
|
||||
mimetype set.
|
||||
|
||||
The mimetype is used for serialized objects, and tells the
|
||||
ResXResourceReader how to depersist the object. This is currently not
|
||||
extensible. For a given mimetype the value must be set accordingly:
|
||||
|
||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
||||
that the ResXResourceWriter will generate, however the reader can
|
||||
read any of the formats listed below.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.binary.base64
|
||||
value : The object must be serialized with
|
||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
||||
: and then encoded with base64 encoding.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.soap.base64
|
||||
value : The object must be serialized with
|
||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
||||
: and then encoded with base64 encoding.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
||||
value : The object must be serialized into a byte array
|
||||
: using a System.ComponentModel.TypeConverter
|
||||
: and then encoded with base64 encoding.
|
||||
-->
|
||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
||||
<xsd:element name="root" msdata:IsDataSet="true">
|
||||
<xsd:complexType>
|
||||
<xsd:choice maxOccurs="unbounded">
|
||||
<xsd:element name="metadata">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
||||
<xsd:attribute name="type" type="xsd:string" />
|
||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
||||
<xsd:attribute ref="xml:space" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="assembly">
|
||||
<xsd:complexType>
|
||||
<xsd:attribute name="alias" type="xsd:string" />
|
||||
<xsd:attribute name="name" type="xsd:string" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="data">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
||||
<xsd:attribute ref="xml:space" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="resheader">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
</xsd:choice>
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
</xsd:schema>
|
||||
<resheader name="resmimetype">
|
||||
<value>text/microsoft-resx</value>
|
||||
</resheader>
|
||||
<resheader name="version">
|
||||
<value>2.0</value>
|
||||
</resheader>
|
||||
<resheader name="reader">
|
||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
||||
</resheader>
|
||||
<resheader name="writer">
|
||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
||||
</resheader>
|
||||
<data name="add" xml:space="preserve">
|
||||
<value>Add</value>
|
||||
</data>
|
||||
<data name="addFlower" xml:space="preserve">
|
||||
<value>Add Flower</value>
|
||||
</data>
|
||||
<data name="costColon" xml:space="preserve">
|
||||
<value>Cost:</value>
|
||||
</data>
|
||||
<data name="costInvalid" xml:space="preserve">
|
||||
<value>Cost must be a positive number.</value>
|
||||
</data>
|
||||
<data name="currentCount" xml:space="preserve">
|
||||
<value>There are currently {count} plants</value>
|
||||
</data>
|
||||
<data name="daysPlanted" xml:space="preserve">
|
||||
<value>{count} days planted</value>
|
||||
</data>
|
||||
<data name="enterCost" xml:space="preserve">
|
||||
<value>Please enter the cost</value>
|
||||
</data>
|
||||
<data name="enterFlowerName" xml:space="preserve">
|
||||
<value>Please enter the flower name</value>
|
||||
</data>
|
||||
<data name="error" xml:space="preserve">
|
||||
<value>Error</value>
|
||||
</data>
|
||||
<data name="failedAddFlower" xml:space="preserve">
|
||||
<value>Failed to add flower, {error}, please try again later.</value>
|
||||
</data>
|
||||
<data name="failedGetFlowers" xml:space="preserve">
|
||||
<value>Failed to get flowers, please try again.</value>
|
||||
</data>
|
||||
<data name="failedLogin" xml:space="preserve">
|
||||
<value>Failed to login, please try again later.</value>
|
||||
</data>
|
||||
<data name="flowerCategory" xml:space="preserve">
|
||||
<value>Flower category</value>
|
||||
</data>
|
||||
<data name="flowerCategoryColon" xml:space="preserve">
|
||||
<value>Flower category:</value>
|
||||
</data>
|
||||
<data name="flowerCategoryRequired" xml:space="preserve">
|
||||
<value>Flower category is required.</value>
|
||||
</data>
|
||||
<data name="flowerName" xml:space="preserve">
|
||||
<value>Flower name</value>
|
||||
</data>
|
||||
<data name="flowerNameRequired" xml:space="preserve">
|
||||
<value>Flower name is required.</value>
|
||||
</data>
|
||||
<data name="flowerSearchPlaceholder" xml:space="preserve">
|
||||
<value>Enter flower name to search...</value>
|
||||
</data>
|
||||
<data name="forgotPassword" xml:space="preserve">
|
||||
<value>Forgot password?</value>
|
||||
</data>
|
||||
<data name="guest" xml:space="preserve">
|
||||
<value>Guest</value>
|
||||
</data>
|
||||
<data name="home" xml:space="preserve">
|
||||
<value>Garden</value>
|
||||
</data>
|
||||
<data name="idPasswordRequired" xml:space="preserve">
|
||||
<value>User id and password is required.</value>
|
||||
</data>
|
||||
<data name="locating" xml:space="preserve">
|
||||
<value>Locating...</value>
|
||||
</data>
|
||||
<data name="locationColon" xml:space="preserve">
|
||||
<value>Location:</value>
|
||||
</data>
|
||||
<data name="locationRequired" xml:space="preserve">
|
||||
<value>Location is required.</value>
|
||||
</data>
|
||||
<data name="logIn" xml:space="preserve">
|
||||
<value>Log In</value>
|
||||
</data>
|
||||
<data name="logs" xml:space="preserve">
|
||||
<value>{count} logs</value>
|
||||
</data>
|
||||
<data name="memoColon" xml:space="preserve">
|
||||
<value>Memo:</value>
|
||||
</data>
|
||||
<data name="myGarden" xml:space="preserve">
|
||||
<value>My Garden</value>
|
||||
</data>
|
||||
<data name="needCameraPermission" xml:space="preserve">
|
||||
<value>Flower Story needs access to the camera to take photos.</value>
|
||||
</data>
|
||||
<data name="no" xml:space="preserve">
|
||||
<value>No</value>
|
||||
</data>
|
||||
<data name="noFlower" xml:space="preserve">
|
||||
<value>Click "Add" in the upper right corner to usher in the first plant in the garden.</value>
|
||||
</data>
|
||||
<data name="notSupportedCapture" xml:space="preserve">
|
||||
<value>Your device does not support taking photos.</value>
|
||||
</data>
|
||||
<data name="ok" xml:space="preserve">
|
||||
<value>Ok</value>
|
||||
</data>
|
||||
<data name="password" xml:space="preserve">
|
||||
<value>Password</value>
|
||||
</data>
|
||||
<data name="purchaseFromColon" xml:space="preserve">
|
||||
<value>Purchase from:</value>
|
||||
</data>
|
||||
<data name="purchaseTimeColon" xml:space="preserve">
|
||||
<value>Purchase time:</value>
|
||||
</data>
|
||||
<data name="save" xml:space="preserve">
|
||||
<value>Save</value>
|
||||
</data>
|
||||
<data name="savedSuccessfully" xml:space="preserve">
|
||||
<value>Saved successfully.</value>
|
||||
</data>
|
||||
<data name="selectFlowerCategory" xml:space="preserve">
|
||||
<value>Please select the flower category</value>
|
||||
</data>
|
||||
<data name="selectFlowerLocation" xml:space="preserve">
|
||||
<value>Please select the location</value>
|
||||
</data>
|
||||
<data name="selectPurchaseFrom" xml:space="preserve">
|
||||
<value>Please select where are you purchase from</value>
|
||||
</data>
|
||||
<data name="selectPurchaseTime" xml:space="preserve">
|
||||
<value>Please select the purchase time</value>
|
||||
</data>
|
||||
<data name="squarePage" xml:space="preserve">
|
||||
<value>Square</value>
|
||||
</data>
|
||||
<data name="unknown" xml:space="preserve">
|
||||
<value>Unknown</value>
|
||||
</data>
|
||||
<data name="userId" xml:space="preserve">
|
||||
<value>User ID</value>
|
||||
</data>
|
||||
<data name="userPage" xml:space="preserve">
|
||||
<value>Profile</value>
|
||||
</data>
|
||||
<data name="welcome" xml:space="preserve">
|
||||
<value>Welcome, {name}</value>
|
||||
</data>
|
||||
<data name="yes" xml:space="preserve">
|
||||
<value>Yes</value>
|
||||
</data>
|
||||
</root>
|
@ -1,267 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<root>
|
||||
<!--
|
||||
Microsoft ResX Schema
|
||||
|
||||
Version 2.0
|
||||
|
||||
The primary goals of this format is to allow a simple XML format
|
||||
that is mostly human readable. The generation and parsing of the
|
||||
various data types are done through the TypeConverter classes
|
||||
associated with the data types.
|
||||
|
||||
Example:
|
||||
|
||||
... ado.net/XML headers & schema ...
|
||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
||||
<resheader name="version">2.0</resheader>
|
||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
||||
</data>
|
||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
||||
<comment>This is a comment</comment>
|
||||
</data>
|
||||
|
||||
There are any number of "resheader" rows that contain simple
|
||||
name/value pairs.
|
||||
|
||||
Each data row contains a name, and value. The row also contains a
|
||||
type or mimetype. Type corresponds to a .NET class that support
|
||||
text/value conversion through the TypeConverter architecture.
|
||||
Classes that don't support this are serialized and stored with the
|
||||
mimetype set.
|
||||
|
||||
The mimetype is used for serialized objects, and tells the
|
||||
ResXResourceReader how to depersist the object. This is currently not
|
||||
extensible. For a given mimetype the value must be set accordingly:
|
||||
|
||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
||||
that the ResXResourceWriter will generate, however the reader can
|
||||
read any of the formats listed below.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.binary.base64
|
||||
value : The object must be serialized with
|
||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
||||
: and then encoded with base64 encoding.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.soap.base64
|
||||
value : The object must be serialized with
|
||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
||||
: and then encoded with base64 encoding.
|
||||
|
||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
||||
value : The object must be serialized into a byte array
|
||||
: using a System.ComponentModel.TypeConverter
|
||||
: and then encoded with base64 encoding.
|
||||
-->
|
||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
||||
<xsd:element name="root" msdata:IsDataSet="true">
|
||||
<xsd:complexType>
|
||||
<xsd:choice maxOccurs="unbounded">
|
||||
<xsd:element name="metadata">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
||||
<xsd:attribute name="type" type="xsd:string" />
|
||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
||||
<xsd:attribute ref="xml:space" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="assembly">
|
||||
<xsd:complexType>
|
||||
<xsd:attribute name="alias" type="xsd:string" />
|
||||
<xsd:attribute name="name" type="xsd:string" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="data">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
||||
<xsd:attribute ref="xml:space" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
<xsd:element name="resheader">
|
||||
<xsd:complexType>
|
||||
<xsd:sequence>
|
||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
||||
</xsd:sequence>
|
||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
</xsd:choice>
|
||||
</xsd:complexType>
|
||||
</xsd:element>
|
||||
</xsd:schema>
|
||||
<resheader name="resmimetype">
|
||||
<value>text/microsoft-resx</value>
|
||||
</resheader>
|
||||
<resheader name="version">
|
||||
<value>2.0</value>
|
||||
</resheader>
|
||||
<resheader name="reader">
|
||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
||||
</resheader>
|
||||
<resheader name="writer">
|
||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
||||
</resheader>
|
||||
<data name="add" xml:space="preserve">
|
||||
<value>添加</value>
|
||||
</data>
|
||||
<data name="addFlower" xml:space="preserve">
|
||||
<value>新增植物</value>
|
||||
</data>
|
||||
<data name="costColon" xml:space="preserve">
|
||||
<value>购买金额:</value>
|
||||
</data>
|
||||
<data name="costInvalid" xml:space="preserve">
|
||||
<value>购买金额必须为正数。</value>
|
||||
</data>
|
||||
<data name="currentCount" xml:space="preserve">
|
||||
<value>目前有 {count} 株植物</value>
|
||||
</data>
|
||||
<data name="daysPlanted" xml:space="preserve">
|
||||
<value>种植 {count} 天</value>
|
||||
</data>
|
||||
<data name="enterCost" xml:space="preserve">
|
||||
<value>请输入购买金额</value>
|
||||
</data>
|
||||
<data name="enterFlowerName" xml:space="preserve">
|
||||
<value>请输入植物名称</value>
|
||||
</data>
|
||||
<data name="error" xml:space="preserve">
|
||||
<value>错误</value>
|
||||
</data>
|
||||
<data name="failedAddFlower" xml:space="preserve">
|
||||
<value>添加失败,{error},请稍后重试。</value>
|
||||
</data>
|
||||
<data name="failedGetFlowers" xml:space="preserve">
|
||||
<value>获取花草失败,请重试。</value>
|
||||
</data>
|
||||
<data name="failedLogin" xml:space="preserve">
|
||||
<value>登录失败,请稍后重试。</value>
|
||||
</data>
|
||||
<data name="flowerCategory" xml:space="preserve">
|
||||
<value>植物分类</value>
|
||||
</data>
|
||||
<data name="flowerCategoryColon" xml:space="preserve">
|
||||
<value>植物分类:</value>
|
||||
</data>
|
||||
<data name="flowerCategoryRequired" xml:space="preserve">
|
||||
<value>植物分类不能为空。</value>
|
||||
</data>
|
||||
<data name="flowerName" xml:space="preserve">
|
||||
<value>植物名称</value>
|
||||
</data>
|
||||
<data name="flowerNameRequired" xml:space="preserve">
|
||||
<value>植物名称不能为空。</value>
|
||||
</data>
|
||||
<data name="flowerSearchPlaceholder" xml:space="preserve">
|
||||
<value>请输入植物名称进行搜索……</value>
|
||||
</data>
|
||||
<data name="forgotPassword" xml:space="preserve">
|
||||
<value>忘记密码?</value>
|
||||
</data>
|
||||
<data name="guest" xml:space="preserve">
|
||||
<value>访客</value>
|
||||
</data>
|
||||
<data name="home" xml:space="preserve">
|
||||
<value>小花园</value>
|
||||
</data>
|
||||
<data name="idPasswordRequired" xml:space="preserve">
|
||||
<value>用户名密码不能为空。</value>
|
||||
</data>
|
||||
<data name="locating" xml:space="preserve">
|
||||
<value>定位中…</value>
|
||||
</data>
|
||||
<data name="locationColon" xml:space="preserve">
|
||||
<value>存放位置:</value>
|
||||
</data>
|
||||
<data name="locationRequired" xml:space="preserve">
|
||||
<value>存放位置不能为空。</value>
|
||||
</data>
|
||||
<data name="logIn" xml:space="preserve">
|
||||
<value>登入</value>
|
||||
</data>
|
||||
<data name="logs" xml:space="preserve">
|
||||
<value>{count} 条日志</value>
|
||||
</data>
|
||||
<data name="memoColon" xml:space="preserve">
|
||||
<value>备注:</value>
|
||||
</data>
|
||||
<data name="myGarden" xml:space="preserve">
|
||||
<value>我的小花园</value>
|
||||
</data>
|
||||
<data name="needCameraPermission" xml:space="preserve">
|
||||
<value>花事录需要使用相机才能拍照。</value>
|
||||
</data>
|
||||
<data name="no" xml:space="preserve">
|
||||
<value>否</value>
|
||||
</data>
|
||||
<data name="noFlower" xml:space="preserve">
|
||||
<value>点击右上角的“添加”,迎来花园里的第一颗植物吧。</value>
|
||||
</data>
|
||||
<data name="notSupportedCapture" xml:space="preserve">
|
||||
<value>您的设备不支持拍照。</value>
|
||||
</data>
|
||||
<data name="ok" xml:space="preserve">
|
||||
<value>好</value>
|
||||
</data>
|
||||
<data name="password" xml:space="preserve">
|
||||
<value>密码</value>
|
||||
</data>
|
||||
<data name="purchaseFromColon" xml:space="preserve">
|
||||
<value>购买渠道:</value>
|
||||
</data>
|
||||
<data name="purchaseTimeColon" xml:space="preserve">
|
||||
<value>购买时间:</value>
|
||||
</data>
|
||||
<data name="save" xml:space="preserve">
|
||||
<value>保存</value>
|
||||
</data>
|
||||
<data name="savedSuccessfully" xml:space="preserve">
|
||||
<value>保存成功。</value>
|
||||
</data>
|
||||
<data name="selectFlowerCategory" xml:space="preserve">
|
||||
<value>请选择植物分类</value>
|
||||
</data>
|
||||
<data name="selectFlowerLocation" xml:space="preserve">
|
||||
<value>请选择种植环境</value>
|
||||
</data>
|
||||
<data name="selectPurchaseFrom" xml:space="preserve">
|
||||
<value>请选择购买渠道</value>
|
||||
</data>
|
||||
<data name="selectPurchaseTime" xml:space="preserve">
|
||||
<value>请选择购买时间</value>
|
||||
</data>
|
||||
<data name="squarePage" xml:space="preserve">
|
||||
<value>广场</value>
|
||||
</data>
|
||||
<data name="unknown" xml:space="preserve">
|
||||
<value>未知</value>
|
||||
</data>
|
||||
<data name="userId" xml:space="preserve">
|
||||
<value>用户 ID</value>
|
||||
</data>
|
||||
<data name="userPage" xml:space="preserve">
|
||||
<value>个人中心</value>
|
||||
</data>
|
||||
<data name="welcome" xml:space="preserve">
|
||||
<value>欢迎您,{name}</value>
|
||||
</data>
|
||||
<data name="yes" xml:space="preserve">
|
||||
<value>是</value>
|
||||
</data>
|
||||
</root>
|
@ -1,37 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
x:Class="Blahblah.FlowerApp.LoginPage"
|
||||
x:Name="loginPage"
|
||||
x:DataType="l:LoginPage">
|
||||
|
||||
<Grid RowDefinitions="*,Auto,*" BindingContext="{x:Reference loginPage}">
|
||||
<Image Grid.RowSpan="3" Aspect="AspectFill" Source="{AppThemeBinding Light=loginbg.png, Dark=loginbg_dark.png}"/>
|
||||
<Frame Grid.Row="1" Margin="40,0" HasShadow="True" BorderColor="Transparent">
|
||||
<Frame.Shadow>
|
||||
<Shadow Brush="{AppThemeBinding Light={StaticResource Gray200Brush}, Dark={StaticResource Gray500Brush}}"
|
||||
Offset="5,5"
|
||||
Radius="40"
|
||||
Opacity="0.6"/>
|
||||
</Frame.Shadow>
|
||||
<VerticalStackLayout Spacing="12">
|
||||
<Entry Text="{Binding UserId}" IsEnabled="{Binding IsEnabled}" Keyboard="Email" Placeholder="{l:Lang userId, Default=User ID}"/>
|
||||
<Entry Text="{Binding Password}" IsEnabled="{Binding IsEnabled}" IsPassword="True" Placeholder="{l:Lang password, Default=Password}"/>
|
||||
<Label Text="{l:Lang forgotPassword, Default=Forgot password?}" Margin="0,20,0,0" TextColor="Gray"/>
|
||||
<Label Text="{Binding ErrorMessage}" Margin="0,10"
|
||||
TextColor="{AppThemeBinding Light={StaticResource Red100Accent}, Dark={StaticResource Red300Accent}}"
|
||||
IsVisible="{Binding ErrorMessage, Converter={StaticResource notNullConverter}}"/>
|
||||
<Button CornerRadius="6" Text="{l:Lang logIn, Default=Log In}" IsEnabled="{Binding IsEnabled}" BackgroundColor="#007bfc"
|
||||
Clicked="Login_Clicked"/>
|
||||
</VerticalStackLayout>
|
||||
</Frame>
|
||||
<Frame Grid.Row="1" x:Name="loading" BorderColor="Transparent" Margin="0" Padding="20" BackgroundColor="#40000000"
|
||||
IsVisible="False" Opacity="0" HorizontalOptions="Center" VerticalOptions="Center">
|
||||
<ActivityIndicator HorizontalOptions="Center" VerticalOptions="Center" IsRunning="True"/>
|
||||
</Frame>
|
||||
</Grid>
|
||||
|
||||
</l:AppContentPage>
|
@ -1,112 +0,0 @@
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Blahblah.FlowerApp.Data.Model;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System.Net.Http.Json;
|
||||
using System.Text.Json.Serialization;
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public partial class LoginPage : AppContentPage
|
||||
{
|
||||
static readonly BindableProperty UserIdProperty = CreateProperty<string, LoginPage>(nameof(UserId));
|
||||
static readonly BindableProperty PasswordProperty = CreateProperty<string, LoginPage>(nameof(Password));
|
||||
static readonly BindableProperty ErrorMessageProperty = CreateProperty<string?, LoginPage>(nameof(ErrorMessage));
|
||||
|
||||
public string UserId
|
||||
{
|
||||
get => (string)GetValue(UserIdProperty);
|
||||
set => SetValue(UserIdProperty, value);
|
||||
}
|
||||
public string Password
|
||||
{
|
||||
get => (string)GetValue(PasswordProperty);
|
||||
set => SetValue(PasswordProperty, value);
|
||||
}
|
||||
public string? ErrorMessage
|
||||
{
|
||||
get => (string?)GetValue(ErrorMessageProperty);
|
||||
set => SetValue(ErrorMessageProperty, value);
|
||||
}
|
||||
|
||||
public event EventHandler<UserItem>? AfterLogined;
|
||||
|
||||
public LoginPage(FlowerDatabase database, ILogger logger) : base(database, logger)
|
||||
{
|
||||
InitializeComponent();
|
||||
}
|
||||
|
||||
private async void Login_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
var userId = UserId;
|
||||
var password = Password;
|
||||
if (string.IsNullOrEmpty(userId) || string.IsNullOrEmpty(password))
|
||||
{
|
||||
ErrorMessage = L("idPasswordRequired", "User id and password is required.");
|
||||
return;
|
||||
}
|
||||
|
||||
IsEnabled = false;
|
||||
ErrorMessage = null;
|
||||
await Loading(true);
|
||||
|
||||
var user = await Task.Run(() => DoLogin(userId, password));
|
||||
|
||||
if (user == null)
|
||||
{
|
||||
await Loading(false);
|
||||
IsEnabled = true;
|
||||
}
|
||||
else
|
||||
{
|
||||
AppResources.SetUser(user);
|
||||
var count = await Database.SetUser(user);
|
||||
if (count <= 0)
|
||||
{
|
||||
this.LogWarning($"failed to save user item, with user: {user}");
|
||||
}
|
||||
AfterLogined?.Invoke(this, user);
|
||||
}
|
||||
}
|
||||
|
||||
private async Task<UserItem?> DoLogin(string userId, string password)
|
||||
{
|
||||
try
|
||||
{
|
||||
using var client = new HttpClient();
|
||||
client.DefaultRequestHeaders.TryAddWithoutValidation("X-ClientAgent", Constants.UserAgent);
|
||||
using var response = await client.PostAsJsonAsync($"{Constants.BaseUrl}/api/user/auth", new LoginParameter(userId, password));
|
||||
if (response != null)
|
||||
{
|
||||
response.EnsureSuccessStatusCode();
|
||||
if (response.Headers.TryGetValues("Authorization", out var values) &&
|
||||
values.FirstOrDefault() is string oAuth)
|
||||
{
|
||||
Constants.SetAuthorization(oAuth);
|
||||
var user = await response.Content.ReadFromJsonAsync<UserItem>();
|
||||
if (user != null)
|
||||
{
|
||||
user.Token = oAuth;
|
||||
return user;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
//await this.AlertError(L("failedLogin", "Failed to login, please try again later."));
|
||||
ErrorMessage = L("failedLogin", "Failed to login, please try again later.");
|
||||
this.LogError(ex, $"error occurs in LoginPage, {ex.Message}");
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
record LoginParameter(string Id, string Password)
|
||||
{
|
||||
[JsonPropertyName("id")]
|
||||
public string Id { get; init; } = Id;
|
||||
|
||||
[JsonPropertyName("password")]
|
||||
public string Password { get; init; } = Password;
|
||||
}
|
||||
}
|
@ -1,50 +0,0 @@
|
||||
using Blahblah.FlowerApp.Controls;
|
||||
using Blahblah.FlowerApp.Data;
|
||||
//using CommunityToolkit.Maui;
|
||||
#if DEBUG
|
||||
using Microsoft.Extensions.Logging;
|
||||
#endif
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public static class MauiProgram
|
||||
{
|
||||
public static MauiApp CreateMauiApp()
|
||||
{
|
||||
var builder = MauiApp.CreateBuilder();
|
||||
builder
|
||||
.UseMauiApp<App>()
|
||||
//.UseMauiCommunityToolkit()
|
||||
.ConfigureFonts(fonts =>
|
||||
{
|
||||
fonts.AddFont("OpenSans-Regular.ttf", "OpenSansRegular");
|
||||
fonts.AddFont("OpenSans-Semibold.ttf", "OpenSansSemibold");
|
||||
fonts.AddFont("fa-light-300.ttf", "FontAwesomeLight");
|
||||
fonts.AddFont("fa-regular-400.ttf", "FontAwesome");
|
||||
fonts.AddFont("fa-solid-900.ttf", "FontAwesomeSolid");
|
||||
})
|
||||
.ConfigureMauiHandlers(handlers =>
|
||||
{
|
||||
#if IOS
|
||||
handlers.AddHandler<OptionEntry, Platforms.iOS.Handlers.OptionEntryHandler>();
|
||||
handlers.AddHandler<OptionDatePicker, Platforms.iOS.Handlers.OptionDatePickerHandler>();
|
||||
handlers.AddHandler<OptionTimePicker, Platforms.iOS.Handlers.OptionTimePickerHandler>();
|
||||
#elif ANDROID
|
||||
handlers.AddHandler<OptionEntry, Platforms.Android.Handlers.OptionEntryHandler>();
|
||||
#endif
|
||||
});
|
||||
|
||||
#if DEBUG
|
||||
builder.Logging.AddDebug();
|
||||
#endif
|
||||
|
||||
builder.Services.AddSingleton<HomePage>();
|
||||
builder.Services.AddSingleton<SquarePage>();
|
||||
builder.Services.AddSingleton<UserPage>();
|
||||
builder.Services.AddSingleton<FlowerDatabase>();
|
||||
|
||||
builder.Services.AddLocalization();
|
||||
|
||||
return builder.Build();
|
||||
}
|
||||
}
|
@ -1,11 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<manifest xmlns:android="http://schemas.android.com/apk/res/android">
|
||||
<application android:allowBackup="true" android:icon="@mipmap/appicon" android:roundIcon="@mipmap/appicon_round" android:supportsRtl="true"></application>
|
||||
<uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" />
|
||||
<uses-permission android:name="android.permission.INTERNET" />
|
||||
<queries>
|
||||
<intent>
|
||||
<action android:name="android.media.action.IMAGE_CAPTURE" />
|
||||
</intent>
|
||||
</queries>
|
||||
</manifest>
|
@ -1,16 +0,0 @@
|
||||
using AndroidX.AppCompat.Widget;
|
||||
using Microsoft.Maui.Controls.Compatibility.Platform.Android;
|
||||
using Microsoft.Maui.Handlers;
|
||||
|
||||
namespace Blahblah.FlowerApp.Platforms.Android.Handlers;
|
||||
|
||||
class OptionEntryHandler : EntryHandler
|
||||
{
|
||||
protected override void ConnectHandler(AppCompatEditText platformView)
|
||||
{
|
||||
base.ConnectHandler(platformView);
|
||||
|
||||
platformView.Background = null;
|
||||
platformView.SetBackgroundColor(Colors.Transparent.ToAndroid());
|
||||
}
|
||||
}
|
@ -1,18 +0,0 @@
|
||||
using Android.App;
|
||||
using Android.Content.PM;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
[Activity(
|
||||
Theme = "@style/Maui.SplashTheme",
|
||||
MainLauncher = true,
|
||||
ConfigurationChanges =
|
||||
ConfigChanges.ScreenSize |
|
||||
ConfigChanges.Orientation |
|
||||
ConfigChanges.UiMode |
|
||||
ConfigChanges.ScreenLayout |
|
||||
ConfigChanges.SmallestScreenSize |
|
||||
ConfigChanges.Density)]
|
||||
public class MainActivity : MauiAppCompatActivity
|
||||
{
|
||||
}
|
@ -1,35 +0,0 @@
|
||||
using Android.App;
|
||||
using Android.Runtime;
|
||||
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.AccessCoarseLocation)]
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.AccessFineLocation)]
|
||||
[assembly: UsesFeature("android.hardware.location", Required = false)]
|
||||
[assembly: UsesFeature("android.hardware.location.gps", Required = false)]
|
||||
[assembly: UsesFeature("android.hardware.location.network", Required = false)]
|
||||
|
||||
// Needed for Picking photo/video
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.ReadExternalStorage, MaxSdkVersion = 32)]
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.ReadMediaAudio)]
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.ReadMediaImages)]
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.ReadMediaVideo)]
|
||||
|
||||
// Needed for Taking photo/video
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.Camera)]
|
||||
[assembly: UsesPermission(Android.Manifest.Permission.WriteExternalStorage, MaxSdkVersion = 32)]
|
||||
|
||||
// Add these properties if you would like to filter out devices that do not have cameras, or set to false to make them optional
|
||||
[assembly: UsesFeature("android.hardware.camera", Required = true)]
|
||||
[assembly: UsesFeature("android.hardware.camera.autofocus", Required = false)]
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
[Application]
|
||||
public class MainApplication : MauiApplication
|
||||
{
|
||||
public MainApplication(IntPtr handle, JniHandleOwnership ownership)
|
||||
: base(handle, ownership)
|
||||
{
|
||||
}
|
||||
|
||||
protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp();
|
||||
}
|
@ -1,23 +0,0 @@
|
||||
using Google.Android.Material.BottomSheet;
|
||||
using Microsoft.Maui.Platform;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public static partial class PageExtensions
|
||||
{
|
||||
public static BottomSheetDialog ShowBottomSheet(this Page page, IView content, bool dimDismiss = false)
|
||||
{
|
||||
var dialog = new BottomSheetDialog(Platform.CurrentActivity?.Window?.DecorView.FindViewById(Android.Resource.Id.Content)?.Context ?? throw new InvalidOperationException("Context is null"));
|
||||
dialog.SetContentView(content.ToPlatform(page.Handler?.MauiContext ?? throw new Exception("MauiContext is null")));
|
||||
dialog.Behavior.Hideable = dimDismiss;
|
||||
dialog.SetCanceledOnTouchOutside(dimDismiss);
|
||||
dialog.Behavior.FitToContents = true;
|
||||
dialog.Show();
|
||||
return dialog;
|
||||
}
|
||||
|
||||
public static void CloseBottomSheet(this BottomSheetDialog dialog)
|
||||
{
|
||||
dialog.Dismiss();
|
||||
}
|
||||
}
|
@ -1,6 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<resources>
|
||||
<color name="colorPrimary">#297b2c</color>
|
||||
<color name="colorPrimaryDark">#1b731b</color>
|
||||
<color name="colorAccent">#1b731b</color>
|
||||
</resources>
|
@ -1,9 +0,0 @@
|
||||
using Foundation;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
[Register("AppDelegate")]
|
||||
public class AppDelegate : MauiUIApplicationDelegate
|
||||
{
|
||||
protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp();
|
||||
}
|
@ -1,16 +0,0 @@
|
||||
using Microsoft.Maui.Handlers;
|
||||
using Microsoft.Maui.Platform;
|
||||
|
||||
namespace Blahblah.FlowerApp.Platforms.iOS.Handlers;
|
||||
|
||||
class OptionDatePickerHandler : DatePickerHandler
|
||||
{
|
||||
protected override void ConnectHandler(MauiDatePicker platformView)
|
||||
{
|
||||
base.ConnectHandler(platformView);
|
||||
|
||||
platformView.BackgroundColor = UIKit.UIColor.Clear;
|
||||
platformView.Layer.BorderWidth = 0;
|
||||
platformView.BorderStyle = UIKit.UITextBorderStyle.None;
|
||||
}
|
||||
}
|
@ -1,16 +0,0 @@
|
||||
using Microsoft.Maui.Handlers;
|
||||
using Microsoft.Maui.Platform;
|
||||
|
||||
namespace Blahblah.FlowerApp.Platforms.iOS.Handlers;
|
||||
|
||||
class OptionEntryHandler : EntryHandler
|
||||
{
|
||||
protected override void ConnectHandler(MauiTextField platformView)
|
||||
{
|
||||
base.ConnectHandler(platformView);
|
||||
|
||||
platformView.BackgroundColor = UIKit.UIColor.Clear;
|
||||
platformView.Layer.BorderWidth = 0;
|
||||
platformView.BorderStyle = UIKit.UITextBorderStyle.None;
|
||||
}
|
||||
}
|
@ -1,16 +0,0 @@
|
||||
using Microsoft.Maui.Handlers;
|
||||
using Microsoft.Maui.Platform;
|
||||
|
||||
namespace Blahblah.FlowerApp.Platforms.iOS.Handlers;
|
||||
|
||||
class OptionTimePickerHandler : TimePickerHandler
|
||||
{
|
||||
protected override void ConnectHandler(MauiTimePicker platformView)
|
||||
{
|
||||
base.ConnectHandler(platformView);
|
||||
|
||||
platformView.BackgroundColor = UIKit.UIColor.Clear;
|
||||
platformView.Layer.BorderWidth = 0;
|
||||
platformView.BorderStyle = UIKit.UITextBorderStyle.None;
|
||||
}
|
||||
}
|
@ -1,56 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
|
||||
<plist version="1.0">
|
||||
<dict>
|
||||
<key>LSRequiresIPhoneOS</key>
|
||||
<true/>
|
||||
<key>UIDeviceFamily</key>
|
||||
<array>
|
||||
<integer>1</integer>
|
||||
<integer>2</integer>
|
||||
</array>
|
||||
<key>UIRequiredDeviceCapabilities</key>
|
||||
<array>
|
||||
<string>arm64</string>
|
||||
</array>
|
||||
<key>UISupportedInterfaceOrientations</key>
|
||||
<array>
|
||||
<string>UIInterfaceOrientationPortrait</string>
|
||||
<string>UIInterfaceOrientationLandscapeLeft</string>
|
||||
<string>UIInterfaceOrientationLandscapeRight</string>
|
||||
</array>
|
||||
<key>UISupportedInterfaceOrientations~ipad</key>
|
||||
<array>
|
||||
<string>UIInterfaceOrientationPortrait</string>
|
||||
<string>UIInterfaceOrientationPortraitUpsideDown</string>
|
||||
<string>UIInterfaceOrientationLandscapeLeft</string>
|
||||
<string>UIInterfaceOrientationLandscapeRight</string>
|
||||
</array>
|
||||
<key>XSAppIconAssets</key>
|
||||
<string>Assets.xcassets/appicon.appiconset</string>
|
||||
<key>CFBundleDevelopmentRegion</key>
|
||||
<string>zh_CN</string>
|
||||
<key>CFBundleLocalizations</key>
|
||||
<array>
|
||||
<string>zh_CN</string>
|
||||
<string>en</string>
|
||||
</array>
|
||||
<key>NSLocationWhenInUseUsageDescription</key>
|
||||
<string>Flower Story needs to know your location in order to save the flower's location.</string>
|
||||
<key>NSLocationTemporaryUsageDescriptionDictionary</key>
|
||||
<array>
|
||||
<dict>
|
||||
<key>TemporaryFullAccuracyUsageDescription</key>
|
||||
<string>Flower Story needs to know your accurate location to judge the distance between flowers.</string>
|
||||
</dict>
|
||||
</array>
|
||||
<key>NSCameraUsageDescription</key>
|
||||
<string>Flower Story needs access to the camera to take photos.</string>
|
||||
<key>NSMicrophoneUsageDescription</key>
|
||||
<string>Flower Story needs access to microphone for taking videos.</string>
|
||||
<key>NSPhotoLibraryAddUsageDescription</key>
|
||||
<string>Flower Story needs access to the photo gallery for picking photos and videos.</string>
|
||||
<key>NSPhotoLibraryUsageDescription</key>
|
||||
<string>Flower Story needs access to photos gallery for picking photos and videos.</string>
|
||||
</dict>
|
||||
</plist>
|
@ -1,39 +0,0 @@
|
||||
using Microsoft.Maui.Platform;
|
||||
using UIKit;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public static partial class PageExtensions
|
||||
{
|
||||
public static UIViewController ShowBottomSheet(this Page page, IView content, bool dimDismiss = false)
|
||||
{
|
||||
var mauiContext = page.Handler?.MauiContext ?? throw new Exception("MauiContext is null");
|
||||
var viewController = page.ToUIViewController(mauiContext);
|
||||
|
||||
var viewControllerToPresent = content.ToUIViewController(mauiContext);
|
||||
viewControllerToPresent.ModalInPresentation = !dimDismiss;
|
||||
|
||||
var sheet = viewControllerToPresent.SheetPresentationController;
|
||||
if (sheet != null)
|
||||
{
|
||||
sheet.Detents = new[]
|
||||
{
|
||||
UISheetPresentationControllerDetent.CreateLargeDetent()
|
||||
};
|
||||
//sheet.LargestUndimmedDetentIdentifier = dimDismiss ?
|
||||
// UISheetPresentationControllerDetentIdentifier.Unknown :
|
||||
// UISheetPresentationControllerDetentIdentifier.Medium;
|
||||
sheet.PrefersScrollingExpandsWhenScrolledToEdge = false;
|
||||
sheet.PrefersEdgeAttachedInCompactHeight = true;
|
||||
sheet.WidthFollowsPreferredContentSizeWhenEdgeAttached = true;
|
||||
}
|
||||
|
||||
viewController.PresentViewController(viewControllerToPresent, true, null);
|
||||
return viewControllerToPresent;
|
||||
}
|
||||
|
||||
public static void CloseBottomSheet(this UIViewController sheet)
|
||||
{
|
||||
sheet.DismissViewController(true, null);
|
||||
}
|
||||
}
|
@ -1,14 +0,0 @@
|
||||
using UIKit;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public class Program
|
||||
{
|
||||
// This is the main entry point of the application.
|
||||
static void Main(string[] args)
|
||||
{
|
||||
// if you want to use a different Application Delegate class from "AppDelegate"
|
||||
// you can specify it here.
|
||||
UIApplication.Main(args, null, typeof(AppDelegate));
|
||||
}
|
||||
}
|
@ -1,4 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
|
||||
<svg width="456" height="456" viewBox="0 0 456 456" version="1.1" xmlns="http://www.w3.org/2000/svg">
|
||||
<rect x="0" y="0" width="456" height="456" fill="#297b2c" />
|
||||
</svg>
|
Before Width: | Height: | Size: 228 B |
@ -1,3 +0,0 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" width="812" height="812" viewBox="-150 -150 812 812" xmlns:xlink="http://www.w3.org/1999/xlink" xml:space="preserve" xmlns:serif="http://www.serif.com/" style="fill-rule:evenodd;clip-rule:evenodd;stroke-linejoin:round;stroke-miterlimit:2;">
|
||||
<path d="M480 160A128 128 0 0 0 352 32c-38.45 0-72.54 17.3-96 44.14C232.54 49.3 198.45 32 160 32A128 128 0 0 0 32 160c0 38.45 17.3 72.54 44.14 96C49.3 279.46 32 313.55 32 352a128 128 0 0 0 128 128c38.45 0 72.54-17.3 96-44.14C279.46 462.7 313.55 480 352 480a128 128 0 0 0 128-128c0-38.45-17.3-72.54-44.14-96C462.7 232.54 480 198.45 480 160zM256 336a80 80 0 1 1 80-80 80 80 0 0 1-80 80z" style="fill:#ffffff;fill-rule:nonzero;stroke-width:0.838376"/>
|
||||
</svg>
|
Before Width: | Height: | Size: 740 B |
@ -1 +0,0 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 512 512"><!--! Font Awesome Free 6.0.0 by @fontawesome - https://fontawesome.com License - https://fontawesome.com/license/free (Icons: CC BY 4.0, Fonts: SIL OFL 1.1, Code: MIT License) Copyright 2022 Fonticons, Inc. --><path d="M234.5 5.709C248.4 .7377 263.6 .7377 277.5 5.709L469.5 74.28C494.1 83.38 512 107.5 512 134.6V377.4C512 404.5 494.1 428.6 469.5 437.7L277.5 506.3C263.6 511.3 248.4 511.3 234.5 506.3L42.47 437.7C17 428.6 0 404.5 0 377.4V134.6C0 107.5 17 83.38 42.47 74.28L234.5 5.709zM256 65.98L82.34 128L256 190L429.7 128L256 65.98zM288 434.6L448 377.4V189.4L288 246.6V434.6z"/></svg>
|
Before Width: | Height: | Size: 648 B |
Before Width: | Height: | Size: 179 KiB |
@ -1 +0,0 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 512 512"><path d="M495.87 320h-47.26c-63 0-119.82 22.23-160.61 57.92V256a128 128 0 0 0 128-128V32l-80 48-78.86-80L176 80 96 32v96a128 128 0 0 0 128 128v121.92C183.21 342.23 126.37 320 63.39 320H16.13c-9.19 0-17 7.72-16.06 16.84C10.06 435 106.43 512 223.83 512h64.34c117.4 0 213.77-77 223.76-175.16.92-9.12-6.87-16.84-16.06-16.84z"/></svg>
|
Before Width: | Height: | Size: 391 B |
@ -1,19 +0,0 @@
|
||||
<svg width="892" height="673" viewBox="0 0 892 673" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<g opacity="0.6">
|
||||
<mask id="fun-grid_svg__a" maskUnits="userSpaceOnUse" x="-1" y="0" width="893" height="673" style="mask-type: alpha;">
|
||||
<path transform="rotate(180 891.751 672.211)" fill="url(#fun-grid_svg__paint0_radial_15_3626)" d="M891.751 672.211h891.751v672.211H891.751z"></path>
|
||||
</mask>
|
||||
<g opacity="0.3" stroke="#01020D" mask="url(#fun-grid_svg__a)">
|
||||
<path d="M891.251 671.711H1.243V1.484h890.008z"></path>
|
||||
<g opacity="0.6">
|
||||
<path d="M847.201 672.211V1.727M802.65 672.211V1.727M758.1 672.211V1.727M713.549 672.211V1.727M668.999 672.211V1.727M624.449 672.211V1.727M579.898 672.211V1.727M535.348 672.211V1.727M490.797 672.211V1.727M446.247 672.211V1.727M401.696 672.211V1.727M357.146 672.211V1.727M312.595 672.211V1.727M268.045 672.211V1.727M223.495 672.211V1.727M178.945 672.211V1.727M134.394 672.211V1.727M89.843 672.211V1.727M45.294 672.211V1.727M891.751 626.176H0M891.751 581.625L0 581.626M891.751 537.075H0M891.751 492.525H0M891.751 447.974H0M891.751 403.422H0M891.751 358.873H0M891.751 314.323L0 314.324M891.751 269.772H0M891.751 225.221H0M891.751 180.67H0M891.751 136.122H0M891.751 91.57H0M891.751 47.02H0"></path>
|
||||
</g>
|
||||
</g>
|
||||
</g>
|
||||
<defs>
|
||||
<radialGradient id="fun-grid_svg__paint0_radial_15_3626" cx="0" cy="0" r="1" gradientUnits="userSpaceOnUse" gradientTransform="rotate(-135 861.272 229.008) scale(378.625 424.017)">
|
||||
<stop stop-color="#D9D9D9"></stop>
|
||||
<stop offset="1" stop-color="#D9D9D9" stop-opacity="0"></stop>
|
||||
</radialGradient>
|
||||
</defs>
|
||||
</svg>
|
Before Width: | Height: | Size: 1.7 KiB |
@ -1,19 +0,0 @@
|
||||
<svg width="892" height="673" viewBox="0 0 892 673" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<g opacity="0.6">
|
||||
<mask id="fun-grid_svg__a" maskUnits="userSpaceOnUse" x="-1" y="0" width="893" height="673" style="mask-type: alpha;">
|
||||
<path transform="rotate(180 891.751 672.211)" fill="url(#fun-grid_svg__paint0_radial_15_3626)" d="M891.751 672.211h891.751v672.211H891.751z"></path>
|
||||
</mask>
|
||||
<g opacity="0.3" stroke="#01020D" mask="url(#fun-grid_svg__a)">
|
||||
<path d="M891.251 671.711H1.243V1.484h890.008z"></path>
|
||||
<g opacity="0.6">
|
||||
<path d="M847.201 672.211V1.727M802.65 672.211V1.727M758.1 672.211V1.727M713.549 672.211V1.727M668.999 672.211V1.727M624.449 672.211V1.727M579.898 672.211V1.727M535.348 672.211V1.727M490.797 672.211V1.727M446.247 672.211V1.727M401.696 672.211V1.727M357.146 672.211V1.727M312.595 672.211V1.727M268.045 672.211V1.727M223.495 672.211V1.727M178.945 672.211V1.727M134.394 672.211V1.727M89.843 672.211V1.727M45.294 672.211V1.727M891.751 626.176H0M891.751 581.625L0 581.626M891.751 537.075H0M891.751 492.525H0M891.751 447.974H0M891.751 403.422H0M891.751 358.873H0M891.751 314.323L0 314.324M891.751 269.772H0M891.751 225.221H0M891.751 180.67H0M891.751 136.122H0M891.751 91.57H0M891.751 47.02H0"></path>
|
||||
</g>
|
||||
</g>
|
||||
</g>
|
||||
<defs>
|
||||
<radialGradient id="fun-grid_svg__paint0_radial_15_3626" cx="0" cy="0" r="1" gradientUnits="userSpaceOnUse" gradientTransform="rotate(-135 861.272 229.008) scale(378.625 424.017)">
|
||||
<stop stop-color="#262626"></stop>
|
||||
<stop offset="1" stop-color="#262626" stop-opacity="0"></stop>
|
||||
</radialGradient>
|
||||
</defs>
|
||||
</svg>
|
Before Width: | Height: | Size: 1.7 KiB |
@ -1 +0,0 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 448 512"><!--! Font Awesome Free 6.0.0 by @fontawesome - https://fontawesome.com License - https://fontawesome.com/license/free (Icons: CC BY 4.0, Fonts: SIL OFL 1.1, Code: MIT License) Copyright 2022 Fonticons, Inc. --><path d="M224 256c70.7 0 128-57.31 128-128s-57.3-128-128-128C153.3 0 96 57.31 96 128S153.3 256 224 256zM274.7 304H173.3C77.61 304 0 381.6 0 477.3c0 19.14 15.52 34.67 34.66 34.67h378.7C432.5 512 448 496.5 448 477.3C448 381.6 370.4 304 274.7 304z"/></svg>
|
Before Width: | Height: | Size: 526 B |
@ -1,15 +0,0 @@
|
||||
Any raw assets you want to be deployed with your application can be placed in
|
||||
this directory (and child directories). Deployment of the asset to your application
|
||||
is automatically handled by the following `MauiAsset` Build Action within your `.csproj`.
|
||||
|
||||
<MauiAsset Include="Resources\Raw\**" LogicalName="%(RecursiveDir)%(Filename)%(Extension)" />
|
||||
|
||||
These files will be deployed with you package and will be accessible using Essentials:
|
||||
|
||||
async Task LoadMauiAsset()
|
||||
{
|
||||
using var stream = await FileSystem.OpenAppPackageFileAsync("AboutAssets.txt");
|
||||
using var reader = new StreamReader(stream);
|
||||
|
||||
var contents = reader.ReadToEnd();
|
||||
}
|
@ -1,8 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
|
||||
<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
|
||||
<svg width="456" height="456" viewBox="0 0 456 456" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" xml:space="preserve" xmlns:serif="http://www.serif.com/" style="fill-rule:evenodd;clip-rule:evenodd;stroke-linejoin:round;stroke-miterlimit:2;">
|
||||
<path d="m 105.50037,281.60863 c -2.70293,0 -5.00091,-0.90042 -6.893127,-2.70209 -1.892214,-1.84778 -2.837901,-4.04181 -2.837901,-6.58209 0,-2.58722 0.945687,-4.80389 2.837901,-6.65167 1.892217,-1.84778 4.190197,-2.77167 6.893127,-2.77167 2.74819,0 5.06798,0.92389 6.96019,2.77167 1.93749,1.84778 2.90581,4.06445 2.90581,6.65167 0,2.54028 -0.96832,4.73431 -2.90581,6.58209 -1.89221,1.80167 -4.212,2.70209 -6.96019,2.70209 z" style="fill:#ffffff;fill-rule:nonzero;stroke-width:0.838376" />
|
||||
<path d="M 213.56111,280.08446 H 195.99044 L 149.69953,207.0544 c -1.17121,-1.84778 -2.14037,-3.76515 -2.90581,-5.75126 h -0.40578 c 0.36051,2.12528 0.54076,6.67515 0.54076,13.6496 v 65.13172 h -15.54349 v -99.36009 h 18.71925 l 44.7374,71.29798 c 1.89222,2.95695 3.1087,4.98917 3.64945,6.09751 h 0.26996 c -0.45021,-2.6325 -0.67573,-7.09015 -0.67573,-13.37293 v -64.02256 h 15.47557 z" style="fill:#ffffff;fill-rule:nonzero;stroke-width:0.838376" />
|
||||
<path d="m 289.25134,280.08446 h -54.40052 v -99.36009 h 52.23835 v 13.99669 h -36.15411 v 28.13085 h 33.31621 v 13.9271 h -33.31621 v 29.37835 h 38.31628 z" style="fill:#ffffff;fill-rule:nonzero;stroke-width:0.838376" />
|
||||
<path d="M 366.56466,194.72106 H 338.7222 v 85.3634 h -16.08423 v -85.3634 h -27.77455 v -13.99669 h 71.70124 z" style="fill:#ffffff;fill-rule:nonzero;stroke-width:0.838376" />
|
||||
</svg>
|
Before Width: | Height: | Size: 1.8 KiB |
@ -1,47 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8" ?>
|
||||
<?xaml-comp compile="true" ?>
|
||||
<ResourceDictionary
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml">
|
||||
|
||||
<Color x:Key="Primary">#297b2c</Color>
|
||||
<Color x:Key="Secondary">#DFD8F7</Color>
|
||||
<Color x:Key="Tertiary">#1b731b</Color>
|
||||
<Color x:Key="White">White</Color>
|
||||
<Color x:Key="Black">Black</Color>
|
||||
<Color x:Key="Gray100">#E1E1E1</Color>
|
||||
<Color x:Key="Gray200">#C8C8C8</Color>
|
||||
<Color x:Key="Gray300">#ACACAC</Color>
|
||||
<Color x:Key="Gray400">#919191</Color>
|
||||
<Color x:Key="Gray500">#6E6E6E</Color>
|
||||
<Color x:Key="Gray600">#404040</Color>
|
||||
<Color x:Key="Gray900">#212121</Color>
|
||||
<Color x:Key="Gray950">#141414</Color>
|
||||
<SolidColorBrush x:Key="PrimaryBrush" Color="{StaticResource Primary}"/>
|
||||
<SolidColorBrush x:Key="SecondaryBrush" Color="{StaticResource Secondary}"/>
|
||||
<SolidColorBrush x:Key="TertiaryBrush" Color="{StaticResource Tertiary}"/>
|
||||
<SolidColorBrush x:Key="WhiteBrush" Color="{StaticResource White}"/>
|
||||
<SolidColorBrush x:Key="BlackBrush" Color="{StaticResource Black}"/>
|
||||
<SolidColorBrush x:Key="Gray100Brush" Color="{StaticResource Gray100}"/>
|
||||
<SolidColorBrush x:Key="Gray200Brush" Color="{StaticResource Gray200}"/>
|
||||
<SolidColorBrush x:Key="Gray300Brush" Color="{StaticResource Gray300}"/>
|
||||
<SolidColorBrush x:Key="Gray400Brush" Color="{StaticResource Gray400}"/>
|
||||
<SolidColorBrush x:Key="Gray500Brush" Color="{StaticResource Gray500}"/>
|
||||
<SolidColorBrush x:Key="Gray600Brush" Color="{StaticResource Gray600}"/>
|
||||
<SolidColorBrush x:Key="Gray900Brush" Color="{StaticResource Gray900}"/>
|
||||
<SolidColorBrush x:Key="Gray950Brush" Color="{StaticResource Gray950}"/>
|
||||
|
||||
<Color x:Key="Yellow100Accent">#F7B548</Color>
|
||||
<Color x:Key="Yellow200Accent">#FFD590</Color>
|
||||
<Color x:Key="Yellow300Accent">#FFE5B9</Color>
|
||||
<Color x:Key="Cyan100Accent">#28C2D1</Color>
|
||||
<Color x:Key="Cyan200Accent">#7BDDEF</Color>
|
||||
<Color x:Key="Cyan300Accent">#C3F2F4</Color>
|
||||
<Color x:Key="Blue100Accent">#3E8EED</Color>
|
||||
<Color x:Key="Blue200Accent">#72ACF1</Color>
|
||||
<Color x:Key="Blue300Accent">#A7CBF6</Color>
|
||||
<Color x:Key="Red100Accent">#F44336</Color>
|
||||
<Color x:Key="Red200Accent">#E57373</Color>
|
||||
<Color x:Key="Red300Accent">#FFCDD2</Color>
|
||||
|
||||
</ResourceDictionary>
|
@ -1,476 +0,0 @@
|
||||
<?xml version="1.0" encoding="UTF-8" ?>
|
||||
<?xaml-comp compile="true" ?>
|
||||
<ResourceDictionary
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls">
|
||||
|
||||
<Style TargetType="ActivityIndicator">
|
||||
<Setter Property="Color" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="IndicatorView">
|
||||
<Setter Property="IndicatorColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}"/>
|
||||
<Setter Property="SelectedIndicatorColor" Value="{AppThemeBinding Light={StaticResource Gray950}, Dark={StaticResource Gray100}}"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Border">
|
||||
<Setter Property="Stroke" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}" />
|
||||
<Setter Property="StrokeShape" Value="Rectangle"/>
|
||||
<Setter Property="StrokeThickness" Value="1"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="BoxView">
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource Gray950}, Dark={StaticResource Gray200}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Button">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Primary}}" />
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14"/>
|
||||
<Setter Property="BorderWidth" Value="0"/>
|
||||
<Setter Property="CornerRadius" Value="8"/>
|
||||
<Setter Property="Padding" Value="14,10"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray950}, Dark={StaticResource Gray200}}" />
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="PointerOver" />
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="iconButton" TargetType="Button">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="FontAwesomeSolid"/>
|
||||
<Setter Property="FontSize" Value="18"/>
|
||||
<Setter Property="BorderWidth" Value="0"/>
|
||||
<Setter Property="Padding" Value="10"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray950}, Dark={StaticResource Gray200}}" />
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="PointerOver" />
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="CheckBox">
|
||||
<Setter Property="Color" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="Color" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="datePicker" TargetType="DatePicker">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="timePicker" TargetType="TimePicker">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent"/>
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="editor" TargetType="Editor">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Black}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
<Setter Property="PlaceholderColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}" />
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="entry" TargetType="Entry">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Black}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
<Setter Property="PlaceholderColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}" />
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Frame">
|
||||
<Setter Property="HasShadow" Value="False" />
|
||||
<Setter Property="BorderColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="CornerRadius" Value="8" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ImageButton">
|
||||
<Setter Property="Opacity" Value="1" />
|
||||
<Setter Property="BorderColor" Value="Transparent"/>
|
||||
<Setter Property="BorderWidth" Value="0"/>
|
||||
<Setter Property="CornerRadius" Value="0"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="Opacity" Value="0.5" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="PointerOver" />
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Label">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular" />
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:TitleLabel">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular" />
|
||||
<Setter Property="FontSize" Value="16" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:SecondaryLabel">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular" />
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:IconLabel">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="FontAwesomeLight" />
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:OptionEditor" BasedOn="{StaticResource editor}">
|
||||
<Setter Property="HorizontalOptions" Value="Fill"/>
|
||||
<Setter Property="VerticalOptions" Value="Fill"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:OptionEntry" BasedOn="{StaticResource entry}">
|
||||
<Setter Property="HorizontalOptions" Value="Fill"/>
|
||||
<Setter Property="HorizontalTextAlignment" Value="End"/>
|
||||
<Setter Property="VerticalOptions" Value="Fill"/>
|
||||
<Setter Property="VerticalTextAlignment" Value="Center"/>
|
||||
<Setter Property="ReturnType" Value="Next"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:OptionDatePicker" BasedOn="{StaticResource datePicker}">
|
||||
<Setter Property="HorizontalOptions" Value="Center"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ctl:OptionTimePicker" BasedOn="{StaticResource timePicker}">
|
||||
<Setter Property="HorizontalOptions" Value="Center"/>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ListView">
|
||||
<Setter Property="SeparatorColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray500}}" />
|
||||
<Setter Property="RefreshControlColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource Gray200}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Picker">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="TitleColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource Gray200}}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="TitleColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="ProgressBar">
|
||||
<Setter Property="ProgressColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="ProgressColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="RadioButton">
|
||||
<Setter Property="BackgroundColor" Value="Transparent"/>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Black}, Dark={StaticResource White}}" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular"/>
|
||||
<Setter Property="FontSize" Value="14"/>
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="RefreshView">
|
||||
<Setter Property="RefreshColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource Gray200}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="SearchBar">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="PlaceholderColor" Value="{StaticResource Gray500}" />
|
||||
<Setter Property="CancelButtonColor" Value="{StaticResource Gray500}" />
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Black}}" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular" />
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
<Setter Property="MinimumHeightRequest" Value="44"/>
|
||||
<Setter Property="MinimumWidthRequest" Value="44"/>
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="PlaceholderColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="SearchHandler">
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource White}}" />
|
||||
<Setter Property="PlaceholderColor" Value="{StaticResource Gray500}" />
|
||||
<Setter Property="BackgroundColor" Value="Transparent" />
|
||||
<Setter Property="FontFamily" Value="OpenSansRegular" />
|
||||
<Setter Property="FontSize" Value="14" />
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="TextColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="PlaceholderColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Shadow">
|
||||
<Setter Property="Radius" Value="15" />
|
||||
<Setter Property="Opacity" Value="0.5" />
|
||||
<Setter Property="Brush" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource White}}" />
|
||||
<Setter Property="Offset" Value="10,10" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Slider">
|
||||
<Setter Property="MinimumTrackColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="MaximumTrackColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="ThumbColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="MinimumTrackColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}"/>
|
||||
<Setter Property="MaximumTrackColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}"/>
|
||||
<Setter Property="ThumbColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="SwipeItem">
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Black}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Switch">
|
||||
<Setter Property="OnColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="ThumbColor" Value="{StaticResource White}" />
|
||||
<Setter Property="VisualStateManager.VisualStateGroups">
|
||||
<VisualStateGroupList>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal" />
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="OnColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
<Setter Property="ThumbColor" Value="{AppThemeBinding Light={StaticResource Gray300}, Dark={StaticResource Gray600}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="On">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="OnColor" Value="{AppThemeBinding Light={StaticResource Secondary}, Dark={StaticResource Gray200}}" />
|
||||
<Setter Property="ThumbColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Off">
|
||||
<VisualState.Setters>
|
||||
<Setter Property="ThumbColor" Value="{AppThemeBinding Light={StaticResource Gray400}, Dark={StaticResource Gray500}}" />
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateGroupList>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Page" ApplyToDerivedTypes="True">
|
||||
<Setter Property="Padding" Value="0"/>
|
||||
<Setter Property="BackgroundColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Black}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="Shell" ApplyToDerivedTypes="True">
|
||||
<Setter Property="Shell.BackgroundColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="Shell.ForegroundColor" Value="{OnPlatform WinUI={StaticResource Primary}, Default={StaticResource White}}" />
|
||||
<Setter Property="Shell.TitleColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource White}}" />
|
||||
<Setter Property="Shell.DisabledColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="Shell.UnselectedColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray200}}" />
|
||||
<Setter Property="Shell.NavBarHasShadow" Value="False" />
|
||||
<Setter Property="Shell.TabBarBackgroundColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Black}}" />
|
||||
<Setter Property="Shell.TabBarForegroundColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="Shell.TabBarTitleColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="Shell.TabBarUnselectedColor" Value="{AppThemeBinding Light={StaticResource Gray900}, Dark={StaticResource Gray200}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="NavigationPage">
|
||||
<Setter Property="BarBackgroundColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="BarTextColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource White}}" />
|
||||
<Setter Property="IconColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource White}}" />
|
||||
</Style>
|
||||
|
||||
<Style TargetType="TabbedPage">
|
||||
<Setter Property="BarBackgroundColor" Value="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="BarTextColor" Value="{AppThemeBinding Light={StaticResource Primary}, Dark={StaticResource White}}" />
|
||||
<Setter Property="UnselectedTabColor" Value="{AppThemeBinding Light={StaticResource Gray200}, Dark={StaticResource Gray950}}" />
|
||||
<Setter Property="SelectedTabColor" Value="{AppThemeBinding Light={StaticResource Gray950}, Dark={StaticResource Gray200}}" />
|
||||
</Style>
|
||||
|
||||
</ResourceDictionary>
|
@ -1,9 +0,0 @@
|
||||
{
|
||||
"CFBundleDisplayName" = "Flower Story";
|
||||
"NSLocationWhenInUseUsageDescription" = "Flower Story needs to know your location in order to save the flower's location.";
|
||||
"TemporaryFullAccuracyUsageDescription" = "Flower Story needs to know your accurate location to judge the distance between flowers.";
|
||||
"NSCameraUsageDescription" = "Flower Story needs access to the camera to take photos.";
|
||||
"NSMicrophoneUsageDescription" = "Flower Story needs access to microphone for taking videos.";
|
||||
"NSPhotoLibraryAddUsageDescription" = "Flower Story needs access to the photo gallery for picking photos and videos.";
|
||||
"NSPhotoLibraryUsageDescription" = "Flower Story needs access to photos gallery for picking photos and videos.";
|
||||
}
|
@ -1,9 +0,0 @@
|
||||
{
|
||||
"CFBundleDisplayName" = "花事录";
|
||||
"NSLocationWhenInUseUsageDescription" = "花事录需要知道您的位置才能保存花的位置。";
|
||||
"TemporaryFullAccuracyUsageDescription" = "花事录需要知道你的准确位置来判断花之间的距离。";
|
||||
"NSCameraUsageDescription" = "花事录需要使用相机才能拍照。";
|
||||
"NSMicrophoneUsageDescription" = "花事录需要使用麦克风才能拍摄视频。";
|
||||
"NSPhotoLibraryAddUsageDescription" = "花事录需要访问照片库来挑选照片和视频。";
|
||||
"NSPhotoLibraryUsageDescription" = "花事录需要访问照片库来挑选照片和视频。";
|
||||
}
|
@ -1,11 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
x:Class="Blahblah.FlowerApp.SquarePage"
|
||||
x:Name="squarePage"
|
||||
x:DataType="l:SquarePage"
|
||||
Title="{l:Lang squarePage, Default=Square}">
|
||||
|
||||
</l:AppContentPage>
|
@ -1,12 +0,0 @@
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Microsoft.Extensions.Logging;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public partial class SquarePage : AppContentPage
|
||||
{
|
||||
public SquarePage(FlowerDatabase database, ILogger<SquarePage> logger) : base(database, logger)
|
||||
{
|
||||
InitializeComponent();
|
||||
}
|
||||
}
|
@ -1,32 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:data="clr-namespace:Blahblah.FlowerApp.Data"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
x:Class="Blahblah.FlowerApp.UserPage"
|
||||
x:Name="userPage"
|
||||
x:DataType="l:UserPage"
|
||||
Title="{l:Lang userPage, Default=Profile}">
|
||||
|
||||
<ContentPage.Resources>
|
||||
<l:UserNameConverter x:Key="nameConverter"/>
|
||||
</ContentPage.Resources>
|
||||
|
||||
<TableView Grid.Row="1" Intent="Settings" HasUnevenRows="True" BindingContext="{x:Reference userPage}">
|
||||
<TableSection>
|
||||
<ctl:OptionTextCell Title="{Binding Name, Source={x:Static l:AppResources.User}, Converter={StaticResource nameConverter}}"/>
|
||||
</TableSection>
|
||||
<TableSection>
|
||||
<ctl:OptionSelectCell Title="设置" Icon="{FontImageSource FontFamily=FontAwesomeLight, Size=18, Color={StaticResource Blue200Accent}, Glyph={x:Static l:Res.Gear}}"/>
|
||||
<ctl:OptionSelectCell Title="日志" Icon="{FontImageSource FontFamily=FontAwesomeLight, Size=18, Color={StaticResource Primary}, Glyph={x:Static l:Res.List}}"
|
||||
Detail="{Binding LogCount}" Tapped="Log_Tapped"/>
|
||||
</TableSection>
|
||||
<TableSection>
|
||||
<ctl:OptionTextCell Title="关于" Detail="{x:Static data:Constants.AppVersion}"
|
||||
Icon="{FontImageSource FontFamily=FontAwesomeLight, Size=18, Color={StaticResource Yellow200Accent}, Glyph={x:Static l:Res.Flag}}"/>
|
||||
</TableSection>
|
||||
</TableView>
|
||||
|
||||
</l:AppContentPage>
|
@ -1,57 +0,0 @@
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Blahblah.FlowerApp.Views.User;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System.Globalization;
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp;
|
||||
|
||||
public partial class UserPage : AppContentPage
|
||||
{
|
||||
static readonly BindableProperty LogCountProperty = CreateProperty<string, UserPage>(nameof(LogCount));
|
||||
|
||||
public string LogCount
|
||||
{
|
||||
get => GetValue<string>(LogCountProperty);
|
||||
set => SetValue(LogCountProperty, value);
|
||||
}
|
||||
|
||||
public UserPage(FlowerDatabase database, ILogger<UserPage> logger) : base(database, logger)
|
||||
{
|
||||
InitializeComponent();
|
||||
}
|
||||
|
||||
protected override void OnAppearing()
|
||||
{
|
||||
base.OnAppearing();
|
||||
|
||||
Task.Run(async () =>
|
||||
{
|
||||
var count = await Database.GetLogCount();
|
||||
LogCount = L("logs", "{count} logs").Replace("{count}", count.ToString());
|
||||
});
|
||||
}
|
||||
|
||||
private async void Log_Tapped(object sender, EventArgs e)
|
||||
{
|
||||
var logPage = new LogPage(Database, Logger);
|
||||
await Navigation.PushAsync(logPage);
|
||||
}
|
||||
}
|
||||
|
||||
class UserNameConverter : IValueConverter
|
||||
{
|
||||
public object? Convert(object? value, Type targetType, object? parameter, CultureInfo culture)
|
||||
{
|
||||
if (value is string name)
|
||||
{
|
||||
return L("welcome", "Welcome, {name}").Replace("{name}", name);
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
public object? ConvertBack(object? value, Type targetType, object? parameter, CultureInfo culture)
|
||||
{
|
||||
throw new NotImplementedException();
|
||||
}
|
||||
}
|
@ -1,75 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
xmlns:garden="clr-namespace:Blahblah.FlowerApp.Views.Garden"
|
||||
x:Class="Blahblah.FlowerApp.Views.Garden.AddFlowerPage"
|
||||
x:Name="addFlowerPage"
|
||||
x:DataType="garden:AddFlowerPage"
|
||||
Title="{l:Lang addFlower, Default=Add Flower}">
|
||||
|
||||
<ContentPage.ToolbarItems>
|
||||
<ToolbarItem Text="{l:Lang save, Default=Save}" Clicked="Save_Clicked"/>
|
||||
</ContentPage.ToolbarItems>
|
||||
|
||||
<ContentPage.Resources>
|
||||
<garden:CoverConverter x:Key="coverConverter"/>
|
||||
</ContentPage.Resources>
|
||||
|
||||
<Grid RowDefinitions="Auto,*" BindingContext="{x:Reference addFlowerPage}">
|
||||
<Grid ColumnDefinitions="Auto,*" ColumnSpacing="20" Margin="20">
|
||||
<VerticalStackLayout>
|
||||
<Grid Padding="0,10,10,0">
|
||||
<Image Source="{Binding Cover, Converter={StaticResource coverConverter}}" WidthRequest="80" HeightRequest="80" Aspect="AspectFill">
|
||||
<Image.Clip>
|
||||
<EllipseGeometry Center="40,40" RadiusX="40" RadiusY="40"/>
|
||||
</Image.Clip>
|
||||
</Image>
|
||||
<Button Style="{StaticResource iconButton}" Text="{x:Static l:Res.XMarkLarge}" Clicked="ButtonClearCover_Clicked"
|
||||
IsVisible="{Binding Cover, Converter={StaticResource notNullConverter}}"
|
||||
HorizontalOptions="End" VerticalOptions="Start" Margin="0,-20,-20,0"
|
||||
TextColor="{AppThemeBinding Light={StaticResource Red100Accent}, Dark={StaticResource Red300Accent}}"/>
|
||||
</Grid>
|
||||
<HorizontalStackLayout HorizontalOptions="Center" Padding="0,0,10,0">
|
||||
<Button Style="{StaticResource iconButton}" Text="{x:Static l:Res.Camera}" Clicked="ButtonTakePhoto_Clicked"/>
|
||||
<Button Style="{StaticResource iconButton}" Text="{x:Static l:Res.Image}" Clicked="ButtonSelectPhoto_Clicked"/>
|
||||
</HorizontalStackLayout>
|
||||
</VerticalStackLayout>
|
||||
<VerticalStackLayout Grid.Column="1" Padding="0,10,0,0">
|
||||
<HorizontalStackLayout>
|
||||
<Label Text="{l:Lang flowerName, Default=Flower name}" FontSize="16" Margin="6,0" VerticalOptions="Center"/>
|
||||
<ctl:SecondaryLabel Text="*" VerticalOptions="Center"
|
||||
TextColor="{AppThemeBinding Light={StaticResource Red100Accent}, Dark={StaticResource Red300Accent}}"/>
|
||||
</HorizontalStackLayout>
|
||||
<Entry Text="{Binding FlowerName}" Placeholder="{l:Lang enterFlowerName, Default=Please enter the flower name}" Margin="0,12"/>
|
||||
<Frame BorderColor="Transparent" Padding="8,6" BackgroundColor="#b6e8e8" CornerRadius="8" HorizontalOptions="Start">
|
||||
<Label Text="{Binding CurrentLocationString}"/>
|
||||
</Frame>
|
||||
</VerticalStackLayout>
|
||||
</Grid>
|
||||
<TableView Grid.Row="1" Intent="Settings" HasUnevenRows="True" BackgroundColor="{AppThemeBinding Light={StaticResource White}, Dark={StaticResource Black}}">
|
||||
<TableSection>
|
||||
<ctl:OptionEntryCell IsRequired="True" Title="{l:Lang locationColon, Default=Location:}"
|
||||
Placeholder="{Binding FlowerLocation}"/>
|
||||
<ctl:OptionSelectCell IsRequired="True" Title="{l:Lang flowerCategoryColon, Default=Flower Category:}"
|
||||
Detail="{Binding Category}" Tapped="FlowerCategory_Tapped"/>
|
||||
<ctl:OptionDateTimePickerCell IsRequired="True" Title="{l:Lang purchaseTimeColon, Default=Purchase time:}"
|
||||
Date="{Binding PurchaseDate}" Time="{Binding PurchaseTime}"/>
|
||||
<ctl:OptionSelectCell Title="{l:Lang purchaseFromColon, Default=Purchase from:}"
|
||||
Detail="{Binding PurchaseFrom}"/>
|
||||
<ctl:OptionEntryCell Title="{l:Lang costColon, Default=Cost:}" Keyboard="Numeric"
|
||||
Placeholder="{l:Lang enterCost, Default=Please enter the cost}"
|
||||
Text="{Binding Cost}"/>
|
||||
<ctl:OptionEditorCell Title="{l:Lang memoColon, Default=Memo:}"
|
||||
Text="{Binding Memo}" Height="200"/>
|
||||
</TableSection>
|
||||
</TableView>
|
||||
<Frame Grid.RowSpan="2" x:Name="loading" BorderColor="Transparent" Margin="0" Padding="20" BackgroundColor="#40000000"
|
||||
IsVisible="False" Opacity="0" HorizontalOptions="Center" VerticalOptions="Center">
|
||||
<ActivityIndicator HorizontalOptions="Center" VerticalOptions="Center" IsRunning="True"/>
|
||||
</Frame>
|
||||
</Grid>
|
||||
|
||||
</l:AppContentPage>
|
@ -1,390 +0,0 @@
|
||||
using Blahblah.FlowerApp.Controls;
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Blahblah.FlowerApp.Data.Model;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System.Globalization;
|
||||
using System.Net;
|
||||
using System.Net.Http.Json;
|
||||
using System.Text.Json.Serialization;
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp.Views.Garden;
|
||||
|
||||
public partial class AddFlowerPage : AppContentPage
|
||||
{
|
||||
static readonly BindableProperty CurrentLocationProperty = CreateProperty<Location?, AddFlowerPage>(nameof(CurrentLocation), propertyChanged: OnCurrentLocationPropertyChanged);
|
||||
static readonly BindableProperty CurrentLocationStringProperty = CreateProperty<string?, AddFlowerPage>(nameof(CurrentLocationString), defaultValue: L("locating", "Locating..."));
|
||||
|
||||
static void OnCurrentLocationPropertyChanged(BindableObject bindable, object old, object @new)
|
||||
{
|
||||
if (bindable is AddFlowerPage page)
|
||||
{
|
||||
if (@new is Location loc)
|
||||
{
|
||||
Task.Run(async () =>
|
||||
{
|
||||
string? city = null;
|
||||
try
|
||||
{
|
||||
var location = WebUtility.UrlEncode($"{{\"x\":{loc.Longitude},\"y\":{loc.Latitude},\"spatialReference\":{{\"wkid\":4326}}}}");
|
||||
using var client = new HttpClient();
|
||||
var result = await client.GetFromJsonAsync<GeoResult>($"https://geocode.arcgis.com/arcgis/rest/services/World/GeocodeServer/reverseGeocode?location={location}&distance=100&f=json");
|
||||
|
||||
if (result != null)
|
||||
{
|
||||
if (result.Address == null)
|
||||
{
|
||||
page.LogWarning($"failed to query geo location, with message: {result.Error?.Message}");
|
||||
}
|
||||
else
|
||||
{
|
||||
city = result.Address.City;
|
||||
}
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
city = L("unknown", "Unknown");
|
||||
page.LogError(ex, $"error occurs when quering geo location: {ex.Message}");
|
||||
}
|
||||
page.SetValue(CurrentLocationStringProperty, city ?? L("unknown", "Unknown"));
|
||||
});
|
||||
}
|
||||
else
|
||||
{
|
||||
page.SetValue(CurrentLocationStringProperty, L("unknown", "Unknown"));
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public Location? CurrentLocation
|
||||
{
|
||||
get => GetValue<Location?>(CurrentLocationProperty);
|
||||
set => SetValue(CurrentLocationProperty, value);
|
||||
}
|
||||
public string? CurrentLocationString
|
||||
{
|
||||
get => GetValue<string?>(CurrentLocationStringProperty);
|
||||
set => SetValue(CurrentLocationStringProperty, value);
|
||||
}
|
||||
|
||||
static readonly BindableProperty CoverProperty = CreateProperty<string?, AddFlowerPage>(nameof(Cover));
|
||||
static readonly BindableProperty FlowerNameProperty = CreateProperty<string, AddFlowerPage>(nameof(FlowerName));
|
||||
static readonly BindableProperty FlowerLocationProperty = CreateProperty<string?, AddFlowerPage>(nameof(FlowerLocation), defaultValue: L("selectFlowerLocation", "Please select the location"));
|
||||
static readonly BindableProperty CategoryProperty = CreateProperty<string, AddFlowerPage>(nameof(Category), defaultValue: L("selectFlowerCategory", "Please select the flower category"));
|
||||
static readonly BindableProperty PurchaseDateProperty = CreateProperty<DateTime, AddFlowerPage>(nameof(PurchaseDate));
|
||||
static readonly BindableProperty PurchaseTimeProperty = CreateProperty<TimeSpan, AddFlowerPage>(nameof(PurchaseTime));
|
||||
static readonly BindableProperty PurchaseFromProperty = CreateProperty<string?, AddFlowerPage>(nameof(PurchaseFrom), defaultValue: L("selectPurchaseFrom", "Please select where are you purchase from"));
|
||||
static readonly BindableProperty CostProperty = CreateProperty<string?, AddFlowerPage>(nameof(Cost));
|
||||
static readonly BindableProperty MemoProperty = CreateProperty<string?, AddFlowerPage>(nameof(Memo));
|
||||
public string? Cover
|
||||
{
|
||||
get => GetValue<string?>(CoverProperty);
|
||||
set => SetValue(CoverProperty, value);
|
||||
}
|
||||
public string FlowerName
|
||||
{
|
||||
get => GetValue<string>(FlowerNameProperty);
|
||||
set => SetValue(FlowerNameProperty, value);
|
||||
}
|
||||
public string? FlowerLocation
|
||||
{
|
||||
get => GetValue<string?>(FlowerLocationProperty);
|
||||
set => SetValue(FlowerLocationProperty, value);
|
||||
}
|
||||
public string Category
|
||||
{
|
||||
get => GetValue<string>(CategoryProperty);
|
||||
set => SetValue(CategoryProperty, value);
|
||||
}
|
||||
public DateTime PurchaseDate
|
||||
{
|
||||
get => GetValue<DateTime>(PurchaseDateProperty);
|
||||
set => SetValue(PurchaseDateProperty, value);
|
||||
}
|
||||
public TimeSpan PurchaseTime
|
||||
{
|
||||
get => GetValue<TimeSpan>(PurchaseTimeProperty);
|
||||
set => SetValue(PurchaseTimeProperty, value);
|
||||
}
|
||||
public string? PurchaseFrom
|
||||
{
|
||||
get => GetValue<string>(PurchaseFromProperty);
|
||||
set => SetValue(PurchaseFromProperty, value);
|
||||
}
|
||||
public string? Cost
|
||||
{
|
||||
get => GetValue<string?>(CostProperty);
|
||||
set => SetValue(CostProperty, value);
|
||||
}
|
||||
public string? Memo
|
||||
{
|
||||
get => GetValue<string>(MemoProperty);
|
||||
set => SetValue(MemoProperty, value);
|
||||
}
|
||||
|
||||
string? selectedLocation;
|
||||
int? selectedCategoryId;
|
||||
|
||||
public AddFlowerPage(FlowerDatabase database, ILogger logger) : base(database, logger)
|
||||
{
|
||||
var now = DateTime.Now;
|
||||
PurchaseDate = now.Date;
|
||||
PurchaseTime = now.TimeOfDay;
|
||||
|
||||
InitializeComponent();
|
||||
}
|
||||
|
||||
protected override void OnAppearing()
|
||||
{
|
||||
base.OnAppearing();
|
||||
|
||||
#if DEBUG
|
||||
MainThread.BeginInvokeOnMainThread(() => CurrentLocation = new Location(29.56128954116272, 106.5447724580102));
|
||||
#else
|
||||
MainThread.BeginInvokeOnMainThread(GetLocation);
|
||||
}
|
||||
|
||||
bool accuracyLocation = false;
|
||||
|
||||
async void GetLocation()
|
||||
{
|
||||
var location = await GetLastLocationAsync();
|
||||
CurrentLocation = location;
|
||||
|
||||
if (!accuracyLocation)
|
||||
{
|
||||
location = await GetCurrentLocationAsync();
|
||||
CurrentLocation = location;
|
||||
|
||||
accuracyLocation = location != null;
|
||||
}
|
||||
#endif
|
||||
}
|
||||
|
||||
private async void ButtonTakePhoto_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
if (MediaPicker.Default.IsCaptureSupported)
|
||||
{
|
||||
var photo = await TakePhoto();
|
||||
|
||||
if (photo != null)
|
||||
{
|
||||
string cache = await CacheFileAsync(photo);
|
||||
Cover = cache;
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
await this.AlertError(L("notSupportedCapture", "Your device does not support taking photos."));
|
||||
}
|
||||
}
|
||||
|
||||
private async void ButtonSelectPhoto_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
var photo = await MediaPicker.Default.PickPhotoAsync();
|
||||
|
||||
if (photo != null)
|
||||
{
|
||||
string cache = await CacheFileAsync(photo);
|
||||
Cover = cache;
|
||||
}
|
||||
}
|
||||
|
||||
private void ButtonClearCover_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
Cover = null;
|
||||
}
|
||||
|
||||
private async void FlowerCategory_Tapped(object sender, EventArgs e)
|
||||
{
|
||||
var categories = Database.Categories;
|
||||
if (categories == null)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
var page = new ItemSelectorPage<int, IdTextItem<int>>(
|
||||
L("flowerCategory", "Flower category"),
|
||||
categories.Select(c => new IdTextItem<int>
|
||||
{
|
||||
Id = c.Key,
|
||||
Text = c.Value.Name,
|
||||
Detail = c.Value.Description
|
||||
}).ToArray(),
|
||||
selected: selectedCategoryId != null ?
|
||||
new[] { selectedCategoryId.Value } :
|
||||
Array.Empty<int>(),
|
||||
detail: nameof(IdTextItem<int>.Detail));
|
||||
page.Selected += FlowerCategory_Selected;
|
||||
|
||||
await Navigation.PushAsync(page);
|
||||
}
|
||||
|
||||
private void FlowerCategory_Selected(object? sender, IdTextItem<int> category)
|
||||
{
|
||||
selectedCategoryId = category.Id;
|
||||
Category = category.Text;
|
||||
}
|
||||
|
||||
private async void Save_Clicked(object sender, EventArgs e)
|
||||
{
|
||||
var name = FlowerName;
|
||||
if (string.IsNullOrEmpty(name))
|
||||
{
|
||||
await this.Alert(Title, L("flowerNameRequired", "Flower name is required."));
|
||||
return;
|
||||
}
|
||||
|
||||
// TODO: selectedLocation
|
||||
var location = FlowerLocation;
|
||||
if (string.IsNullOrEmpty(location))
|
||||
{
|
||||
await this.Alert(Title, L("locationRequired", "Location is required."));
|
||||
return;
|
||||
}
|
||||
|
||||
if (selectedCategoryId == null)
|
||||
{
|
||||
await this.Alert(Title, L("flowerCategoryRequired", "Flower category is required."));
|
||||
return;
|
||||
}
|
||||
|
||||
var purchaseDate = new DateTimeOffset((PurchaseDate + PurchaseTime).ToUniversalTime());
|
||||
var purchaseFrom = PurchaseFrom;
|
||||
if (!decimal.TryParse(Cost, out decimal cost) || cost < 0)
|
||||
{
|
||||
await this.Alert(Title, L("costInvalid", "Cost must be a positive number."));
|
||||
return;
|
||||
}
|
||||
|
||||
var memo = Memo;
|
||||
|
||||
var item = new FlowerItem
|
||||
{
|
||||
Name = name,
|
||||
CategoryId = selectedCategoryId.Value,
|
||||
DateBuyUnixTime = purchaseDate.ToUnixTimeMilliseconds(),
|
||||
Purchase = purchaseFrom,
|
||||
Cost = cost,
|
||||
Memo = memo,
|
||||
OwnerId = AppResources.User.Id
|
||||
};
|
||||
var loc = CurrentLocation;
|
||||
if (loc != null)
|
||||
{
|
||||
item.Latitude = loc.Latitude;
|
||||
item.Longitude = loc.Longitude;
|
||||
}
|
||||
|
||||
var cover = Cover;
|
||||
if (cover != null)
|
||||
{
|
||||
item.Photos = new[] { new PhotoItem { Url = cover } };
|
||||
}
|
||||
|
||||
await Loading(true);
|
||||
_ = Task.Run(async () =>
|
||||
{
|
||||
try
|
||||
{
|
||||
await DoAddFlowerAsync(item);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
this.LogError(ex, $"error occurs while adding flower, {item}");
|
||||
await this.AlertError(L("failedAddFlower", "Failed to add flower, {error}, please try again later.").Replace("{error}", ex.Message));
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
async Task DoAddFlowerAsync(FlowerItem item)
|
||||
{
|
||||
var data = new MultipartFormDataContent
|
||||
{
|
||||
{ new StringContent(item.CategoryId.ToString()), "categoryId" },
|
||||
{ new StringContent(item.Name), "name" },
|
||||
{ new StringContent(item.DateBuyUnixTime.ToString()), "dateBuy" }
|
||||
};
|
||||
if (item.Cost != null)
|
||||
{
|
||||
data.Add(new StringContent($"{item.Cost}"), "cost");
|
||||
}
|
||||
if (item.Purchase != null)
|
||||
{
|
||||
data.Add(new StringContent(item.Purchase), "purchase");
|
||||
}
|
||||
if (item.Memo != null)
|
||||
{
|
||||
data.Add(new StringContent(item.Memo), "memo");
|
||||
}
|
||||
if (item.Latitude != null && item.Longitude != null)
|
||||
{
|
||||
data.Add(new StringContent($"{item.Latitude}"), "lat");
|
||||
data.Add(new StringContent($"{item.Longitude}"), "lon");
|
||||
}
|
||||
if (item.Photos?.Length > 0)
|
||||
{
|
||||
data.Add(new StreamContent(File.OpenRead(item.Photos[0].Url)), "cover");
|
||||
}
|
||||
var result = await UploadAsync<FlowerItem>("api/flower/add", data);
|
||||
|
||||
this.LogInformation($"upload successfully, {result}");
|
||||
}
|
||||
}
|
||||
|
||||
class CoverConverter : IValueConverter
|
||||
{
|
||||
public object? Convert(object? value, Type targetType, object? parameter, CultureInfo culture)
|
||||
{
|
||||
if (value is string s && !string.IsNullOrEmpty(s))
|
||||
{
|
||||
return s;
|
||||
}
|
||||
return "empty_flower.jpg";
|
||||
}
|
||||
|
||||
public object? ConvertBack(object? value, Type targetType, object? parameter, CultureInfo culture)
|
||||
{
|
||||
throw new NotImplementedException();
|
||||
}
|
||||
}
|
||||
|
||||
record GeoResult
|
||||
{
|
||||
[JsonPropertyName("address")]
|
||||
public AddressResult? Address { get; init; }
|
||||
|
||||
[JsonPropertyName("error")]
|
||||
public ErrorResult? Error { get; init; }
|
||||
}
|
||||
|
||||
record ErrorResult
|
||||
{
|
||||
[JsonPropertyName("code")]
|
||||
public int Code { get; init; }
|
||||
|
||||
[JsonPropertyName("message")]
|
||||
public string Message { get; init; } = null!;
|
||||
}
|
||||
|
||||
record AddressResult
|
||||
{
|
||||
[JsonPropertyName("City")]
|
||||
public string? City { get; init; }
|
||||
|
||||
[JsonPropertyName("District")]
|
||||
public string? District { get; init; }
|
||||
|
||||
[JsonPropertyName("CntryName")]
|
||||
public string? CountryName { get; init; }
|
||||
|
||||
[JsonPropertyName("CountryCode")]
|
||||
public string? CountryCode { get; init; }
|
||||
|
||||
[JsonPropertyName("Region")]
|
||||
public string? Region { get; init; }
|
||||
|
||||
[JsonPropertyName("RegionAbbr")]
|
||||
public string? RegionAbbr { get; init; }
|
||||
}
|
@ -1,43 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<ContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
xmlns:user="clr-namespace:Blahblah.FlowerApp.Views.User"
|
||||
xmlns:mdl="clr-namespace:Blahblah.FlowerApp.Data.Model"
|
||||
x:Class="Blahblah.FlowerApp.Views.User.LogItemPage"
|
||||
x:Name="logItemPage"
|
||||
x:DataType="mdl:LogItem"
|
||||
Title="{Binding Category}">
|
||||
|
||||
<ScrollView>
|
||||
<Grid ColumnDefinitions="Auto,*" ColumnSpacing="12" Margin="20"
|
||||
RowDefinitions="Auto,Auto,Auto,Auto,Auto,Auto,Auto,Auto" RowSpacing="6">
|
||||
<ctl:SecondaryLabel Text="ID:"/>
|
||||
<Label Grid.Column="1" Text="{Binding Id}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="1" Text="Time:"/>
|
||||
<Label Grid.Row="1" Grid.Column="1" Text="{Binding LogUnixTime, Converter={StaticResource dateTimeConverter}}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="2" Text="Type:"/>
|
||||
<Label Grid.Row="2" Grid.Column="1" Text="{Binding LogType}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="3" Text="Category:"/>
|
||||
<Label Grid.Row="3" Grid.Column="1" Text="{Binding Category}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="4" Text="Source:"/>
|
||||
<Label Grid.Row="4" Grid.Column="1" Text="{Binding Source}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="5" Text="Client agent:"/>
|
||||
<Label Grid.Row="5" Grid.Column="1" Text="{Binding ClientAgent}"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="6" Text="Message:" VerticalOptions="Start"/>
|
||||
<Label Grid.Row="6" Grid.Column="1" Text="{Binding Message}" LineBreakMode="WordWrap"/>
|
||||
|
||||
<ctl:SecondaryLabel Grid.Row="7" Text="Description:" VerticalOptions="Start"/>
|
||||
<Label Grid.Row="7" Grid.Column="1" Text="{Binding Description}" LineBreakMode="WordWrap"/>
|
||||
</Grid>
|
||||
</ScrollView>
|
||||
|
||||
</ContentPage>
|
@ -1,13 +0,0 @@
|
||||
using Blahblah.FlowerApp.Data.Model;
|
||||
|
||||
namespace Blahblah.FlowerApp.Views.User;
|
||||
|
||||
public partial class LogItemPage : ContentPage
|
||||
{
|
||||
public LogItemPage(LogItem log)
|
||||
{
|
||||
BindingContext = log;
|
||||
|
||||
InitializeComponent();
|
||||
}
|
||||
}
|
@ -1,33 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<l:AppContentPage
|
||||
xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
|
||||
xmlns:l="clr-namespace:Blahblah.FlowerApp"
|
||||
xmlns:ctl="clr-namespace:Blahblah.FlowerApp.Controls"
|
||||
xmlns:mdl="clr-namespace:Blahblah.FlowerApp.Data.Model"
|
||||
xmlns:user="clr-namespace:Blahblah.FlowerApp.Views.User"
|
||||
x:Class="Blahblah.FlowerApp.Views.User.LogPage"
|
||||
x:Name="logPage"
|
||||
x:DataType="user:LogPage"
|
||||
Title="Logs">
|
||||
|
||||
<Grid BindingContext="{x:Reference logPage}">
|
||||
<ListView ItemsSource="{Binding Logs}">
|
||||
<ListView.ItemTemplate>
|
||||
<DataTemplate x:DataType="mdl:LogItem">
|
||||
<ViewCell>
|
||||
<HorizontalStackLayout Margin="16,0" Spacing="12">
|
||||
<HorizontalStackLayout.GestureRecognizers>
|
||||
<TapGestureRecognizer Command="{Binding ItemCommand, Source={x:Reference logPage}}"
|
||||
CommandParameter="{Binding .}"/>
|
||||
</HorizontalStackLayout.GestureRecognizers>
|
||||
<ctl:SecondaryLabel FontSize="10" Text="{Binding LogUnixTime, Converter={StaticResource dateTimeConverter}}" VerticalOptions="Center"/>
|
||||
<Label Text="{Binding Message}" VerticalOptions="Center" LineBreakMode="TailTruncation"/>
|
||||
</HorizontalStackLayout>
|
||||
</ViewCell>
|
||||
</DataTemplate>
|
||||
</ListView.ItemTemplate>
|
||||
</ListView>
|
||||
</Grid>
|
||||
|
||||
</l:AppContentPage>
|
@ -1,39 +0,0 @@
|
||||
using Blahblah.FlowerApp.Data;
|
||||
using Blahblah.FlowerApp.Data.Model;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using static Blahblah.FlowerApp.Extensions;
|
||||
|
||||
namespace Blahblah.FlowerApp.Views.User;
|
||||
|
||||
public partial class LogPage : AppContentPage
|
||||
{
|
||||
static readonly BindableProperty LogsProperty = CreateProperty<LogItem[], LogPage>(nameof(Logs));
|
||||
|
||||
public LogItem[] Logs
|
||||
{
|
||||
get => GetValue<LogItem[]>(LogsProperty);
|
||||
set => SetValue(LogsProperty, value);
|
||||
}
|
||||
|
||||
public Command ItemCommand { get; }
|
||||
|
||||
public LogPage(FlowerDatabase database, ILogger logger) : base(database, logger)
|
||||
{
|
||||
ItemCommand = new Command(async o =>
|
||||
{
|
||||
if (o is LogItem item)
|
||||
{
|
||||
await Navigation.PushAsync(new LogItemPage(item));
|
||||
}
|
||||
});
|
||||
|
||||
InitializeComponent();
|
||||
}
|
||||
|
||||
protected override void OnAppearing()
|
||||
{
|
||||
base.OnAppearing();
|
||||
|
||||
Task.Run(async () => Logs = await Database.GetLogs());
|
||||
}
|
||||
}
|
@ -5,10 +5,6 @@ VisualStudioVersion = 17.7.33711.374
|
||||
MinimumVisualStudioVersion = 10.0.40219.1
|
||||
Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Server", "Server\Server.csproj", "{A551F94A-1997-4A20-A1E8-157050D92CEF}"
|
||||
EndProject
|
||||
Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "TestCase", "TestCase\TestCase.csproj", "{BE89C419-EE4D-4F0C-BB8E-4BEE2BC3AB0C}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "FlowerApp", "FlowerApp\FlowerApp.csproj", "{FCBB0455-071E-407B-9CB6-553C6D283756}"
|
||||
EndProject
|
||||
Global
|
||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
||||
Debug|Any CPU = Debug|Any CPU
|
||||
@ -19,16 +15,6 @@ Global
|
||||
{A551F94A-1997-4A20-A1E8-157050D92CEF}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{A551F94A-1997-4A20-A1E8-157050D92CEF}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{A551F94A-1997-4A20-A1E8-157050D92CEF}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{BE89C419-EE4D-4F0C-BB8E-4BEE2BC3AB0C}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{BE89C419-EE4D-4F0C-BB8E-4BEE2BC3AB0C}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{BE89C419-EE4D-4F0C-BB8E-4BEE2BC3AB0C}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{BE89C419-EE4D-4F0C-BB8E-4BEE2BC3AB0C}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Debug|Any CPU.Deploy.0 = Debug|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{FCBB0455-071E-407B-9CB6-553C6D283756}.Release|Any CPU.Deploy.0 = Release|Any CPU
|
||||
EndGlobalSection
|
||||
GlobalSection(SolutionProperties) = preSolution
|
||||
HideSolutionNode = FALSE
|
||||
|
@ -66,6 +66,7 @@ public sealed class Constants
|
||||
[(int)EventTypes.Death] = new("death", "死亡", true),
|
||||
[(int)EventTypes.Sell] = new("sell", "出售", true),
|
||||
[(int)EventTypes.Share] = new("share", "分享"),
|
||||
[(int)EventTypes.Move] = new("move", "移动"),
|
||||
};
|
||||
}
|
||||
|
||||
@ -98,6 +99,10 @@ public enum EventTypes
|
||||
/// 分享
|
||||
/// </summary>
|
||||
Share = 13,
|
||||
/// <summary>
|
||||
/// 移动
|
||||
/// </summary>
|
||||
Move = 14,
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
|
@ -32,6 +32,7 @@ public abstract partial class BaseController : ControllerBase
|
||||
{
|
||||
// jpeg
|
||||
new byte[] { 0xFF, 0xD8, 0xFF, 0xE0 },
|
||||
new byte[] { 0xFF, 0xD8, 0xFF, 0xE1 },
|
||||
new byte[] { 0xFF, 0xD8, 0xFF, 0xE2 },
|
||||
new byte[] { 0xFF, 0xD8, 0xFF, 0xE3 },
|
||||
// png
|
||||
|
@ -299,6 +299,14 @@ public class FlowerApiController : BaseController
|
||||
return NotFound($"Flower id {id} not found");
|
||||
}
|
||||
|
||||
var loc = database.Records
|
||||
.OrderByDescending(r => r.DateUnixTime)
|
||||
.FirstOrDefault(r => r.FlowerId == id && (r.EventId == (int)EventTypes.Move || r.EventId == (int)EventTypes.Born));
|
||||
if (loc != null)
|
||||
{
|
||||
item.Location = loc.Memo;
|
||||
}
|
||||
|
||||
if (includePhoto == true)
|
||||
{
|
||||
item.Photos = database.Photos.Where(p => p.FlowerId == item.Id && p.RecordId == null).ToList();
|
||||
@ -459,6 +467,20 @@ public class FlowerApiController : BaseController
|
||||
return NotFound();
|
||||
}
|
||||
|
||||
FileResult? file;
|
||||
if (flower.Cover?.Length > 0)
|
||||
{
|
||||
file = WrapFormFile(flower.Cover);
|
||||
if (file == null)
|
||||
{
|
||||
return BadRequest();
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
file = null;
|
||||
}
|
||||
|
||||
var item = new FlowerItem
|
||||
{
|
||||
OwnerId = user.Id,
|
||||
@ -475,14 +497,24 @@ public class FlowerApiController : BaseController
|
||||
SaveDatabase();
|
||||
|
||||
var now = user.ActiveDateUnixTime ?? DateTimeOffset.UtcNow.ToUnixTimeMilliseconds();
|
||||
if (flower.Cover?.Length > 0)
|
||||
if (flower.Location != null)
|
||||
{
|
||||
var file = WrapFormFile(flower.Cover);
|
||||
if (file == null)
|
||||
var record = new RecordItem
|
||||
{
|
||||
return BadRequest();
|
||||
}
|
||||
FlowerId = item.Id,
|
||||
EventId = (int)EventTypes.Born,
|
||||
DateUnixTime = now,
|
||||
OwnerId = user.Id,
|
||||
Latitude = flower.Latitude,
|
||||
Longitude = flower.Longitude,
|
||||
Memo = flower.Location
|
||||
};
|
||||
database.Records.Add(record);
|
||||
SaveDatabase();
|
||||
}
|
||||
|
||||
if (file != null)
|
||||
{
|
||||
try
|
||||
{
|
||||
await ExecuteTransaction(async token =>
|
||||
|
@ -77,6 +77,12 @@ public record FlowerParameter : CoverParameter
|
||||
/// </summary>
|
||||
[FromForm(Name = "lon")]
|
||||
public double? Longitude { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// 存放位置
|
||||
/// </summary>
|
||||
[FromForm(Name = "location")]
|
||||
public string? Location { get; set; }
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
|
@ -101,4 +101,10 @@ public class FlowerItem : ILocation
|
||||
/// </summary>
|
||||
[NotMapped]
|
||||
public int? Distance { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// 花草位置
|
||||
/// </summary>
|
||||
[NotMapped]
|
||||
public string? Location { get; set; }
|
||||
}
|
||||
|
@ -11,7 +11,7 @@ public class Program
|
||||
/// <inheritdoc/>
|
||||
public const string ProjectName = "Flower Story";
|
||||
/// <inheritdoc/>
|
||||
public const string Version = "0.7.731";
|
||||
public const string Version = "0.8.803";
|
||||
|
||||
/// <inheritdoc/>
|
||||
public static void Main(string[] args)
|
||||
|