1 Commits

Author SHA1 Message Date
ddc596ef58 Native navigation 2025-07-02 14:12:39 +02:00
62 changed files with 360 additions and 1569 deletions

View File

@@ -4,17 +4,12 @@ namespace salesbook.Maui
{ {
public partial class App : Application public partial class App : Application
{ {
private readonly IMessenger _messenger;
public App(IMessenger messenger) public App(IMessenger messenger)
{ {
InitializeComponent(); InitializeComponent();
_messenger = messenger;
}
protected override Window CreateWindow(IActivationState? activationState) MainPage = new NavigationPage(new MainPage(messenger));
{
return new Window(new MainPage(_messenger));
} }
} }
} }

View File

@@ -23,8 +23,6 @@ public class LocalDbService
_connection.CreateTableAsync<StbActivityResult>(); _connection.CreateTableAsync<StbActivityResult>();
_connection.CreateTableAsync<StbActivityType>(); _connection.CreateTableAsync<StbActivityType>();
_connection.CreateTableAsync<StbUser>(); _connection.CreateTableAsync<StbUser>();
_connection.CreateTableAsync<VtbTipi>();
_connection.CreateTableAsync<Nazioni>();
} }
public async Task ResetSettingsDb() public async Task ResetSettingsDb()
@@ -34,14 +32,10 @@ public class LocalDbService
await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_activity_result;"); await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_activity_result;");
await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_activity_type;"); await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_activity_type;");
await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_user;"); await _connection.ExecuteAsync("DROP TABLE IF EXISTS stb_user;");
await _connection.ExecuteAsync("DROP TABLE IF EXISTS vtb_tipi;");
await _connection.ExecuteAsync("DROP TABLE IF EXISTS nazioni;");
await _connection.CreateTableAsync<StbActivityResult>(); await _connection.CreateTableAsync<StbActivityResult>();
await _connection.CreateTableAsync<StbActivityType>(); await _connection.CreateTableAsync<StbActivityType>();
await _connection.CreateTableAsync<StbUser>(); await _connection.CreateTableAsync<StbUser>();
await _connection.CreateTableAsync<VtbTipi>();
await _connection.CreateTableAsync<Nazioni>();
} }
catch (Exception ex) catch (Exception ex)
{ {

View File

@@ -12,22 +12,6 @@ public class ManageDataService(LocalDbService localDb, IMapper mapper) : IManage
public Task<List<T>> GetTable<T>(Expression<Func<T, bool>>? whereCond = null) where T : new() => public Task<List<T>> GetTable<T>(Expression<Func<T, bool>>? whereCond = null) where T : new() =>
localDb.Get(whereCond); localDb.Get(whereCond);
public async Task<List<ContactDTO>> GetContact()
{
var contactList = await localDb.Get<AnagClie>(x => x.FlagStato.Equals("A"));
var prospectList = await localDb.Get<PtbPros>();
// Mappa i contatti
var contactMapper = mapper.Map<List<ContactDTO>>(contactList);
// Mappa i prospects
var prospectMapper = mapper.Map<List<ContactDTO>>(prospectList);
contactMapper.AddRange(prospectMapper);
return contactMapper;
}
public async Task<List<ActivityDTO>> GetActivity(Expression<Func<StbActivity, bool>>? whereCond = null) public async Task<List<ActivityDTO>> GetActivity(Expression<Func<StbActivity, bool>>? whereCond = null)
{ {
var activities = await localDb.Get(whereCond); var activities = await localDb.Get(whereCond);

View File

@@ -0,0 +1,15 @@
using salesbook.Shared.Core.Interface;
namespace salesbook.Maui.Core.Services;
public class NavigationService(IServiceProvider serviceProvider) : INavigationService
{
public async Task NavigateToDetailsAsync()
{
var detailsPage = serviceProvider.GetService<PersonalInfo>();
if (Application.Current.MainPage is NavigationPage nav && detailsPage != null)
{
await nav.Navigation.PushAsync(detailsPage);
}
}
}

View File

@@ -0,0 +1,18 @@
using salesbook.Shared.Core.Interface;
namespace salesbook.Maui.Core.Services;
public class PageTitleService(IDispatcher dispatcher) : IPageTitleService
{
public void SetTitle(string title)
{
dispatcher.Dispatch(() =>
{
if (Application.Current?.MainPage is NavigationPage nav &&
nav.CurrentPage is ContentPage cp)
{
cp.Title = title;
}
});
}
}

View File

@@ -82,11 +82,5 @@ public class SyncDbService(IIntegryApiService integryApiService, LocalDbService
if (!settingsResponse.StbUsers.IsNullOrEmpty()) if (!settingsResponse.StbUsers.IsNullOrEmpty())
await localDb.InsertAll(settingsResponse.StbUsers!); await localDb.InsertAll(settingsResponse.StbUsers!);
if (!settingsResponse.VtbTipi.IsNullOrEmpty())
await localDb.InsertAll(settingsResponse.VtbTipi!);
if (!settingsResponse.Nazioni.IsNullOrEmpty())
await localDb.InsertAll(settingsResponse.Nazioni!);
} }
} }

View File

@@ -1,12 +1,11 @@
<?xml version="1.0" encoding="utf-8" ?> <?xml version="1.0" encoding="utf-8" ?>
<ContentPage xmlns="http://schemas.microsoft.com/dotnet/2021/maui" <ContentPage xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml" xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
xmlns:local="clr-namespace:salesbook.Maui"
xmlns:shared="clr-namespace:salesbook.Shared;assembly=salesbook.Shared" xmlns:shared="clr-namespace:salesbook.Shared;assembly=salesbook.Shared"
x:Class="salesbook.Maui.MainPage" x:Class="salesbook.Maui.MainPage"
BackgroundColor="{DynamicResource PageBackgroundColor}"> BackgroundColor="{DynamicResource PageBackgroundColor}">
<BlazorWebView x:Name="blazorWebView" HostPage="wwwroot/index.html"> <BlazorWebView HostPage="wwwroot/index.html">
<BlazorWebView.RootComponents> <BlazorWebView.RootComponents>
<RootComponent Selector="#app" ComponentType="{x:Type shared:Components.Routes}" /> <RootComponent Selector="#app" ComponentType="{x:Type shared:Components.Routes}" />
</BlazorWebView.RootComponents> </BlazorWebView.RootComponents>

View File

@@ -11,6 +11,8 @@ namespace salesbook.Maui
{ {
InitializeComponent(); InitializeComponent();
_messenger = messenger; _messenger = messenger;
Title = "Home";
} }
protected override bool OnBackButtonPressed() protected override bool OnBackButtonPressed()

View File

@@ -1,4 +1,3 @@
using AutoMapper;
using CommunityToolkit.Maui; using CommunityToolkit.Maui;
using CommunityToolkit.Mvvm.Messaging; using CommunityToolkit.Mvvm.Messaging;
using IntegryApiClient.MAUI; using IntegryApiClient.MAUI;
@@ -14,6 +13,7 @@ using salesbook.Shared.Core.Messages.Activity.Copy;
using salesbook.Shared.Core.Messages.Activity.New; using salesbook.Shared.Core.Messages.Activity.New;
using salesbook.Shared.Core.Messages.Back; using salesbook.Shared.Core.Messages.Back;
using salesbook.Shared.Core.Services; using salesbook.Shared.Core.Services;
using System.Globalization;
namespace salesbook.Maui namespace salesbook.Maui
{ {
@@ -25,20 +25,15 @@ namespace salesbook.Maui
{ {
InteractiveRenderSettings.ConfigureBlazorHybridRenderModes(); InteractiveRenderSettings.ConfigureBlazorHybridRenderModes();
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("it-IT");
CultureInfo.DefaultThreadCurrentUICulture = new CultureInfo("it-IT");
var builder = MauiApp.CreateBuilder(); var builder = MauiApp.CreateBuilder();
builder builder
.UseMauiApp<App>() .UseMauiApp<App>()
.UseIntegry(appToken: AppToken, useLoginAzienda: true)
.UseMauiCommunityToolkit() .UseMauiCommunityToolkit()
.UseSentry(options => .ConfigureFonts(fonts => { fonts.AddFont("OpenSans-Regular.ttf", "OpenSansRegular"); })
{ .UseLoginAzienda(AppToken);
options.Dsn = "https://453b6b38f94fd67e40e0d5306d6caff8@o4508499810254848.ingest.de.sentry.io/4509605099667536";
#if DEBUG
options.Debug = true;
#endif
options.TracesSampleRate = 1.0;
})
.ConfigureFonts(fonts => { fonts.AddFont("OpenSans-Regular.ttf", "OpenSansRegular"); });
builder.Services.AddMauiBlazorWebView(); builder.Services.AddMauiBlazorWebView();
builder.Services.AddMudServices(); builder.Services.AddMudServices();
@@ -70,6 +65,10 @@ namespace salesbook.Maui
builder.Services.AddSingleton<IFormFactor, FormFactor>(); builder.Services.AddSingleton<IFormFactor, FormFactor>();
builder.Services.AddSingleton<LocalDbService>(); builder.Services.AddSingleton<LocalDbService>();
builder.Services.AddSingleton<INavigationService, NavigationService>();
builder.Services.AddSingleton<IPageTitleService, PageTitleService>();
builder.Services.AddTransient<PersonalInfo>();
return builder.Build(); return builder.Build();
} }
} }

View File

@@ -0,0 +1,14 @@
<?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:components="clr-namespace:salesbook.Shared.Components;assembly=salesbook.Shared"
x:Class="salesbook.Maui.PersonalInfo"
BackgroundColor="{DynamicResource PageBackgroundColor}">
<BlazorWebView HostPage="wwwroot/index.html" StartPath="/PersonalInfo">
<BlazorWebView.RootComponents>
<RootComponent Selector="#app" ComponentType="{x:Type components:Routes}" />
</BlazorWebView.RootComponents>
</BlazorWebView>
</ContentPage>

View File

@@ -0,0 +1,11 @@
namespace salesbook.Maui;
public partial class PersonalInfo : ContentPage
{
public PersonalInfo()
{
InitializeComponent();
Title = "Profilo";
}
}

View File

@@ -1,5 +1,6 @@
using Android.App; using Android.App;
using Android.Content.PM; using Android.Content.PM;
using AndroidX.AppCompat.App;
namespace salesbook.Maui namespace salesbook.Maui
{ {
@@ -9,5 +10,9 @@ namespace salesbook.Maui
ConfigChanges.ScreenLayout | ConfigChanges.SmallestScreenSize | ConfigChanges.Density)] ConfigChanges.ScreenLayout | ConfigChanges.SmallestScreenSize | ConfigChanges.Density)]
public class MainActivity : MauiAppCompatActivity public class MainActivity : MauiAppCompatActivity
{ {
public MainActivity()
{
AppCompatDelegate.DefaultNightMode = AppCompatDelegate.ModeNightNo;
}
} }
} }

View File

@@ -3,7 +3,7 @@ using Android.Runtime;
namespace salesbook.Maui namespace salesbook.Maui
{ {
[Application(HardwareAccelerated = true)] [Application]
public class MainApplication : MauiApplication public class MainApplication : MauiApplication
{ {
public MainApplication(IntPtr handle, JniHandleOwnership ownership) public MainApplication(IntPtr handle, JniHandleOwnership ownership)

View File

@@ -35,5 +35,8 @@
<key>NSAllowsArbitraryLoads</key> <key>NSAllowsArbitraryLoads</key>
<true/> <true/>
</dict> </dict>
<key>UIUserInterfaceStyle</key>
<string>Light</string>
</dict> </dict>
</plist> </plist>

View File

@@ -29,8 +29,8 @@
<ApplicationId>it.integry.salesbook</ApplicationId> <ApplicationId>it.integry.salesbook</ApplicationId>
<!-- Versions --> <!-- Versions -->
<ApplicationDisplayVersion>1.0.1</ApplicationDisplayVersion> <ApplicationDisplayVersion>1.0.0</ApplicationDisplayVersion>
<ApplicationVersion>4</ApplicationVersion> <ApplicationVersion>3</ApplicationVersion>
<SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios'">14.2</SupportedOSPlatformVersion> <SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios'">14.2</SupportedOSPlatformVersion>
<!--<SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'maccatalyst'"> <!--<SupportedOSPlatformVersion Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'maccatalyst'">
@@ -78,9 +78,8 @@
</PropertyGroup> </PropertyGroup>
<PropertyGroup Condition="'$(TargetFramework)'=='net9.0-ios'"> <PropertyGroup Condition="'$(TargetFramework)'=='net9.0-ios'">
<CodesignKey>Apple Distribution: Integry S.r.l. (UNP26J4R89)</CodesignKey> <CodesignKey>Apple Development: Created via API (5B7B69P4JY)</CodesignKey>
<CodesignProvision></CodesignProvision> <CodesignProvision>VS: WildCard Development</CodesignProvision>
<ProvisioningType>manual</ProvisioningType>
</PropertyGroup> </PropertyGroup>
<ItemGroup Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios' OR $([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'maccatalyst'"> <ItemGroup Condition="$([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'ios' OR $([MSBuild]::GetTargetPlatformIdentifier('$(TargetFramework)')) == 'maccatalyst'">
@@ -119,15 +118,14 @@
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="CommunityToolkit.Maui" Version="12.0.0" /> <PackageReference Include="CommunityToolkit.Maui" Version="11.2.0" />
<PackageReference Include="CommunityToolkit.Mvvm" Version="8.4.0" /> <PackageReference Include="CommunityToolkit.Mvvm" Version="8.4.0" />
<PackageReference Include="IntegryApiClient.MAUI" Version="1.1.6" /> <PackageReference Include="IntegryApiClient.MAUI" Version="1.1.4" />
<PackageReference Include="Microsoft.Extensions.Logging" Version="9.0.6" /> <PackageReference Include="Microsoft.Extensions.Logging" Version="9.0.5" />
<PackageReference Include="Microsoft.Maui.Controls" Version="9.0.81" /> <PackageReference Include="Microsoft.Maui.Controls" Version="9.0.70" />
<PackageReference Include="Microsoft.Maui.Controls.Compatibility" Version="9.0.81" /> <PackageReference Include="Microsoft.Maui.Controls.Compatibility" Version="9.0.70" />
<PackageReference Include="Microsoft.AspNetCore.Components.WebView.Maui" Version="9.0.81" /> <PackageReference Include="Microsoft.AspNetCore.Components.WebView.Maui" Version="9.0.70" />
<PackageReference Include="Microsoft.Extensions.Logging.Debug" Version="9.0.6" /> <PackageReference Include="Microsoft.Extensions.Logging.Debug" Version="9.0.5" />
<PackageReference Include="Sentry.Maui" Version="5.11.2" />
<PackageReference Include="sqlite-net-pcl" Version="1.9.172" /> <PackageReference Include="sqlite-net-pcl" Version="1.9.172" />
</ItemGroup> </ItemGroup>
@@ -135,4 +133,16 @@
<ProjectReference Include="..\salesbook.Shared\salesbook.Shared.csproj" /> <ProjectReference Include="..\salesbook.Shared\salesbook.Shared.csproj" />
</ItemGroup> </ItemGroup>
<ItemGroup>
<Compile Update="PersonalInfo.xaml.cs">
<DependentUpon>PersonalInfo.xaml</DependentUpon>
</Compile>
</ItemGroup>
<ItemGroup>
<MauiXaml Update="PersonalInfo.xaml">
<Generator>MSBuild:Compile</Generator>
</MauiXaml>
</ItemGroup>
</Project> </Project>

View File

@@ -1,4 +1,7 @@
@using Microsoft.Maui.Controls
@using salesbook.Shared.Core.Interface
@inject IJSRuntime JS @inject IJSRuntime JS
@inject INavigationService NavigationService
<div class="@(Back ? "" : "container") header"> <div class="@(Back ? "" : "container") header">
<div class="header-content @(Back ? "with-back" : "no-back")"> <div class="header-content @(Back ? "with-back" : "no-back")">
@@ -83,7 +86,9 @@
await JS.InvokeVoidAsync("goBack"); await JS.InvokeVoidAsync("goBack");
} }
private void OpenPersonalInfo() => private async Task OpenPersonalInfo()
NavigationManager.NavigateTo("/PersonalInfo"); {
await NavigationService.NavigateToDetailsAsync();
}
} }

View File

@@ -1,10 +1,10 @@
@using System.Globalization @using System.Globalization
@using CommunityToolkit.Mvvm.Messaging @using salesbook.Shared.Core.Interface
@using salesbook.Shared.Core.Messages.Back @using salesbook.Shared.Core.Messages.Back
@inherits LayoutComponentBase @inherits LayoutComponentBase
@inject IJSRuntime JS @inject IJSRuntime JS
@inject IMessenger Messenger
@inject BackNavigationService BackService @inject BackNavigationService BackService
@inject INavigationService NavigationService
<MudThemeProvider Theme="_currentTheme" @ref="@_mudThemeProvider" @bind-IsDarkMode="@IsDarkMode" /> <MudThemeProvider Theme="_currentTheme" @ref="@_mudThemeProvider" @bind-IsDarkMode="@IsDarkMode" />
<MudPopoverProvider/> <MudPopoverProvider/>

View File

@@ -45,7 +45,7 @@
<MudFab Class="custom-plus-button" Color="Color.Surface" Size="Size.Medium" IconSize="Size.Medium" IconColor="Color.Primary" StartIcon="@Icons.Material.Filled.Add" /> <MudFab Class="custom-plus-button" Color="Color.Surface" Size="Size.Medium" IconSize="Size.Medium" IconColor="Color.Primary" StartIcon="@Icons.Material.Filled.Add" />
</ActivatorContent> </ActivatorContent>
<ChildContent> <ChildContent>
<MudMenuItem OnClick="() => CreateUser()">Nuovo contatto</MudMenuItem> <MudMenuItem Disabled="true">Nuovo contatto</MudMenuItem>
<MudMenuItem OnClick="() => CreateActivity()">Nuova attivit<69></MudMenuItem> <MudMenuItem OnClick="() => CreateActivity()">Nuova attivit<69></MudMenuItem>
</ChildContent> </ChildContent>
</MudMenu> </MudMenu>
@@ -92,10 +92,5 @@
Messenger.Send(new NewActivityMessage(((StbActivity)result.Data).ActivityId)); Messenger.Send(new NewActivityMessage(((StbActivity)result.Data).ActivityId));
} }
} }
private async Task CreateUser()
{
var result = await ModalHelpers.OpenUserForm(Dialog, null);
}
} }

View File

@@ -1,21 +1,20 @@
@page "/Calendar" @page "/Calendar"
@using salesbook.Shared.Core.Dto @using salesbook.Shared.Core.Dto
@using salesbook.Shared.Core.Interface @using salesbook.Shared.Core.Interface
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Components.SingleElements @using salesbook.Shared.Components.SingleElements
@using salesbook.Shared.Components.Layout.Spinner @using salesbook.Shared.Components.Layout.Spinner
@using salesbook.Shared.Components.SingleElements.BottomSheet @using salesbook.Shared.Components.SingleElements.BottomSheet
@using salesbook.Shared.Core.Entity
@using salesbook.Shared.Core.Messages.Activity.New @using salesbook.Shared.Core.Messages.Activity.New
@inject IManageDataService ManageData @inject IManageDataService ManageData
@inject IJSRuntime JS @inject IJSRuntime JS
@inject NewActivityService NewActivity @inject NewActivityService NewActivity
@inject IPageTitleService PageTitleService
<HeaderLayout Title="@_headerTitle" @* <HeaderLayout Title="@_headerTitle"
ShowFilter="true" ShowFilter="true"
ShowCalendarToggle="true" ShowCalendarToggle="true"
OnFilterToggle="ToggleFilter" OnFilterToggle="ToggleFilter"
OnCalendarToggle="ToggleExpanded"/> OnCalendarToggle="ToggleExpanded"/> *@
<div @ref="_weekSliderRef" class="container week-slider @(Expanded ? "expanded" : "") @(SliderAnimation)"> <div @ref="_weekSliderRef" class="container week-slider @(Expanded ? "expanded" : "") @(SliderAnimation)">
@if (Expanded) @if (Expanded)
@@ -260,6 +259,8 @@
private void PrepareHeaderTitle() private void PrepareHeaderTitle()
{ {
_headerTitle = CurrentMonth.ToString("MMMM yyyy", new System.Globalization.CultureInfo("it-IT")).FirstCharToUpper(); _headerTitle = CurrentMonth.ToString("MMMM yyyy", new System.Globalization.CultureInfo("it-IT")).FirstCharToUpper();
PageTitleService?.SetTitle(_headerTitle);
} }
private void PrepareEventsCache() private void PrepareEventsCache()
@@ -372,9 +373,7 @@
filteredActivity = filteredActivity filteredActivity = filteredActivity
.Where(x => Filter.Category == null || x.Category.Equals(Filter.Category)); .Where(x => Filter.Category == null || x.Category.Equals(Filter.Category));
return filteredActivity return filteredActivity.ToList();
.OrderBy(x => x.EffectiveTime ?? x.EstimatedTime)
.ToList();
} }
[JSInvokable] [JSInvokable]

View File

@@ -1,14 +1,19 @@
@page "/Notifications" @page "/Notifications"
@attribute [Authorize] @attribute [Authorize]
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Components.SingleElements @using salesbook.Shared.Components.SingleElements
@using salesbook.Shared.Core.Interface
@inject IPageTitleService PageTitleService
<HeaderLayout Title="Notifiche" /> @* <HeaderLayout Title="Notifiche" /> *@
<div class="container"> <div class="container">
<NoDataAvailable Text="Nessuna notifica meno recente" /> <NoDataAvailable Text="Nessuna notifica meno recente" />
</div> </div>
@code { @code {
protected override void OnInitialized()
{
PageTitleService?.SetTitle("Notifiche");
}
} }

View File

@@ -1,6 +1,5 @@
@page "/PersonalInfo" @page "/PersonalInfo"
@attribute [Authorize] @attribute [Authorize]
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Core.Authorization.Enum @using salesbook.Shared.Core.Authorization.Enum
@using salesbook.Shared.Core.Interface @using salesbook.Shared.Core.Interface
@using salesbook.Shared.Core.Services @using salesbook.Shared.Core.Services
@@ -8,7 +7,7 @@
@inject INetworkService NetworkService @inject INetworkService NetworkService
@inject IFormFactor FormFactor @inject IFormFactor FormFactor
<HeaderLayout BackTo="Indietro" Back="true" BackOnTop="true" Title="Profilo" ShowProfile="false"/> @* <HeaderLayout BackTo="Indietro" Back="true" BackOnTop="true" Title="Profilo" ShowProfile="false"/> *@
@if (IsLoggedIn) @if (IsLoggedIn)
{ {

View File

@@ -1,17 +1,12 @@
@page "/User/{CodContact}/{IsContact:bool}" @page "/User/{CodAnag}"
@attribute [Authorize] @attribute [Authorize]
@using AutoMapper
@using salesbook.Shared.Components.Layout @using salesbook.Shared.Components.Layout
@using salesbook.Shared.Core.Entity @using salesbook.Shared.Core.Entity
@using salesbook.Shared.Core.Interface @using salesbook.Shared.Core.Interface
@using salesbook.Shared.Components.Layout.Spinner @using salesbook.Shared.Components.Layout.Spinner
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Components.SingleElements
@inject IManageDataService ManageData @inject IManageDataService ManageData
@inject IMapper Mapper
@inject IDialogService Dialog
<HeaderLayout BackTo="Indietro" LabelSave="Modifica" OnSave="() => OpenUserForm(Anag)" Back="true" BackOnTop="true" Title="" ShowProfile="false" /> <HeaderLayout BackTo="Indietro" Back="true" BackOnTop="true" Title="" ShowProfile="false"/>
@if (IsLoading) @if (IsLoading)
{ {
@@ -40,46 +35,42 @@ else
<div class="section-info"> <div class="section-info">
<div class="section-personal-info"> <div class="section-personal-info">
@if (!string.IsNullOrEmpty(Anag.Telefono))
{
<div> <div>
<span class="info-title">Telefono</span> <span class="info-title">Telefono</span>
<span class="info-text"> <span class="info-text">
@Anag.Telefono @if (string.IsNullOrEmpty(Anag.Telefono))
</span>
</div>
}
@if (!string.IsNullOrEmpty(Anag.PartIva))
{ {
<div> @("Nessuna mail configurata")
<span class="info-title">P. IVA</span> }
<span class="info-text"> else
@Anag.PartIva {
@Anag.Telefono
}
</span> </span>
</div> </div>
}
</div> </div>
<div class="section-personal-info"> <div class="section-personal-info">
@if (!string.IsNullOrEmpty(Anag.EMail))
{
<div> <div>
<span class="info-title">E-mail</span> <span class="info-title">E-mail</span>
<span class="info-text"> <span class="info-text">
@if (string.IsNullOrEmpty(Anag.EMail))
{
@("Nessuna mail configurata")
}
else
{
@Anag.EMail @Anag.EMail
}
</span> </span>
</div> </div>
}
</div> </div>
</div> </div>
</div> </div>
<MudTabs TabPanelClass="custom-tab-panel" Elevation="2" Rounded="true" PanelClass="pt-2" Centered="true">
<MudTabPanel Text="Contatti">
@if (PersRif is { Count: > 0 }) @if (PersRif is { Count: > 0 })
{ {
<div style="margin-top: 1rem;" class="container-pers-rif"> <div class="container-pers-rif">
<Virtualize Items="PersRif" Context="person"> <Virtualize Items="PersRif" Context="person">
@{ @{
var index = PersRif.IndexOf(person); var index = PersRif.IndexOf(person);
@@ -98,35 +89,18 @@ else
<MudButton Class="button-settings infoText" <MudButton Class="button-settings infoText"
FullWidth="true" FullWidth="true"
Size="Size.Medium" Size="Size.Medium"
OnClick="OpenPersRifForm"
Variant="Variant.Outlined"> Variant="Variant.Outlined">
Aggiungi contatto Aggiungi contatto
</MudButton> </MudButton>
</div> </div>
</MudTabPanel>
<MudTabPanel Text="Commesse">
@if (Commesse.IsNullOrEmpty())
{
<NoDataAvailable Text="Nessuna commessa presente"/>
}
else
{
<Virtualize Items="Commesse" Context="commessa">
<CommessaCard Commessa="commessa"/>
</Virtualize>
}
</MudTabPanel>
</MudTabs>
</div> </div>
} }
@code { @code {
[Parameter] public string CodContact { get; set; } [Parameter] public string CodAnag { get; set; }
[Parameter] public bool IsContact { get; set; }
private ContactDTO Anag { get; set; } = new(); private AnagClie Anag { get; set; } = new();
private List<PersRifDTO>? PersRif { get; set; } private List<VtbCliePersRif>? PersRif { get; set; }
private List<JtbComt> Commesse { get; set; }
private bool IsLoading { get; set; } = true; private bool IsLoading { get; set; } = true;
@@ -137,37 +111,11 @@ else
private async Task LoadData() private async Task LoadData()
{ {
if (IsContact) Anag = (await ManageData.GetTable<AnagClie>(x => x.CodAnag.Equals(CodAnag))).Last();
{ PersRif = await ManageData.GetTable<VtbCliePersRif>(x => x.CodAnag.Equals(Anag.CodAnag));
var clie = (await ManageData.GetTable<AnagClie>(x => x.CodAnag.Equals(CodContact))).Last();
Anag = Mapper.Map<ContactDTO>(clie);
var pers = await ManageData.GetTable<VtbCliePersRif>(x => x.CodAnag.Equals(Anag.CodContact));
PersRif = Mapper.Map<List<PersRifDTO>>(pers);
}
else
{
var pros = (await ManageData.GetTable<PtbPros>(x => x.CodPpro.Equals(CodContact))).Last();
Anag = Mapper.Map<ContactDTO>(pros);
var pers = await ManageData.GetTable<PtbProsRif>(x => x.CodPpro.Equals(Anag.CodContact));
PersRif = Mapper.Map<List<PersRifDTO>>(pers);
}
Commesse = await ManageData.GetTable<JtbComt>(x => x.CodAnag != null && x.CodAnag.Equals(CodContact));
IsLoading = false; IsLoading = false;
StateHasChanged(); StateHasChanged();
} }
private async Task OpenPersRifForm()
{
var result = await ModalHelpers.OpenPersRifForm(Dialog, null);
}
private async Task OpenUserForm(ContactDTO anag)
{
var result = await ModalHelpers.OpenUserForm(Dialog, anag);
}
} }

View File

@@ -139,21 +139,9 @@
margin-bottom: 1rem; margin-bottom: 1rem;
box-shadow: var(--custom-box-shadow); box-shadow: var(--custom-box-shadow);
border-radius: 16px; border-radius: 16px;
max-height: 32vh;
overflow: auto;
scrollbar-width: none;
} }
.container-pers-rif::-webkit-scrollbar { display: none; }
.container-pers-rif .divider { .container-pers-rif .divider {
margin: 0 0 0 3.5rem; margin: 0 0 0 3.5rem;
width: unset; width: unset;
} }
.custom-tab-panel {
width: 100%;
display: flex;
gap: 1rem;
flex-direction: column;
}

View File

@@ -1,15 +1,11 @@
@page "/Users" @page "/Users"
@attribute [Authorize] @attribute [Authorize]
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Core.Interface
@using salesbook.Shared.Components.SingleElements.BottomSheet
@using salesbook.Shared.Components.Layout.Spinner
@using salesbook.Shared.Components.SingleElements
@using salesbook.Shared.Core.Entity @using salesbook.Shared.Core.Entity
@using salesbook.Shared.Core.Interface
@inject IManageDataService ManageData @inject IManageDataService ManageData
@inject IPageTitleService PageTitleService
<HeaderLayout Title="Contatti"/> @* <HeaderLayout Title="Contatti"/> *@
<div class="container search-box"> <div class="container search-box">
<div class="input-card clearButton"> <div class="input-card clearButton">
@@ -19,25 +15,13 @@
{ {
<MudIconButton Class="closeIcon" Icon="@Icons.Material.Filled.Close" OnClick="() => FilterUsers(true)"/> <MudIconButton Class="closeIcon" Icon="@Icons.Material.Filled.Close" OnClick="() => FilterUsers(true)"/>
} }
<MudIconButton Class="rounded-button" OnClick="ToggleFilter" Icon="@Icons.Material.Rounded.FilterList" Variant="Variant.Filled" Color="Color.Primary" Size="Size.Small" />
</div> </div>
<MudChipSet Class="mt-2" T="string" @bind-SelectedValue="TypeUser" @bind-SelectedValue:after="FilterUsers" SelectionMode="SelectionMode.SingleSelection">
<MudChip Color="Color.Primary" Variant="Variant.Text" Value="@("all")">Tutti</MudChip>
<MudChip Color="Color.Primary" Variant="Variant.Text" Value="@("contact")">Contatti</MudChip>
<MudChip Color="Color.Primary" Variant="Variant.Text" Value="@("prospect")">Prospect</MudChip>
</MudChipSet>
</div> </div>
<div class="container users"> <div class="container users">
@if (IsLoading) @if (GroupedUserList?.Count > 0)
{ {
<SpinnerLayout FullScreen="false"/> <Virtualize Items="FilteredGroupedUserList" Context="item">
}
else if (GroupedUserList?.Count > 0)
{
<Virtualize OverscanCount="20" Items="FilteredGroupedUserList" Context="item">
@if (item.ShowHeader) @if (item.ShowHeader)
{ {
<div class="letter-header">@item.HeaderLetter</div> <div class="letter-header">@item.HeaderLetter</div>
@@ -45,45 +29,30 @@
<UserCard User="item.User"/> <UserCard User="item.User"/>
</Virtualize> </Virtualize>
} }
else
{
<NoDataAvailable Text="Nessun contatto trovato"/>
}
</div> </div>
<FilterUsers @bind-IsSheetVisible="OpenFilter" @bind-Filter="Filter" @bind-Filter:after="FilterUsers"/>
@code { @code {
private List<UserDisplayItem> GroupedUserList { get; set; } = []; private List<UserDisplayItem> GroupedUserList { get; set; } = [];
private List<UserDisplayItem> FilteredGroupedUserList { get; set; } = []; private List<UserDisplayItem> FilteredGroupedUserList { get; set; } = [];
private bool IsLoading { get; set; }
//Filtri
private string? TextToFilter { get; set; } private string? TextToFilter { get; set; }
private bool OpenFilter { get; set; }
private FilterUserDTO Filter { get; set; } = new(); protected override void OnInitialized()
private string TypeUser { get; set; } = "all"; {
PageTitleService?.SetTitle("Contatti");
}
protected override async Task OnAfterRenderAsync(bool firstRender) protected override async Task OnAfterRenderAsync(bool firstRender)
{ {
if (firstRender) if (firstRender)
{ {
await LoadData(); await LoadData();
StateHasChanged();
} }
} }
private async Task LoadData() private async Task LoadData()
{ {
IsLoading = true; var users = await ManageData.GetTable<AnagClie>(x => x.FlagStato.Equals("A"));
StateHasChanged();
var loggedUser = (await ManageData.GetTable<StbUser>(x => x.UserName.Equals(UserSession.User.Username))).Last();
if (loggedUser.UserCode != null)
Filter.Agenti = [loggedUser.UserCode];
var users = await ManageData.GetContact();
var sortedUsers = users var sortedUsers = users
.Where(u => !string.IsNullOrWhiteSpace(u.RagSoc)) .Where(u => !string.IsNullOrWhiteSpace(u.RagSoc))
@@ -116,14 +85,11 @@
} }
FilterUsers(); FilterUsers();
IsLoading = false;
StateHasChanged();
} }
private class UserDisplayItem private class UserDisplayItem
{ {
public required ContactDTO User { get; set; } public required AnagClie User { get; set; }
public bool ShowHeader { get; set; } public bool ShowHeader { get; set; }
public string? HeaderLetter { get; set; } public string? HeaderLetter { get; set; }
} }
@@ -135,49 +101,23 @@
if (clearFilter || string.IsNullOrWhiteSpace(TextToFilter)) if (clearFilter || string.IsNullOrWhiteSpace(TextToFilter))
{ {
TextToFilter = null; TextToFilter = null;
FilteredGroupedUserList = GroupedUserList;
return;
} }
var filter = TextToFilter.Trim();
var result = new List<UserDisplayItem>(); var result = new List<UserDisplayItem>();
foreach (var item in GroupedUserList) foreach (var item in GroupedUserList)
{ {
var user = item.User; var user = item.User;
if (
switch (TypeUser)
{
case "contact" when !user.IsContact:
case "prospect" when user.IsContact:
continue;
}
var matchesFilter =
(Filter.Prov.IsNullOrEmpty() || user.Prov.Equals(Filter.Prov, StringComparison.OrdinalIgnoreCase)) &&
(Filter.Citta.IsNullOrEmpty() || user.Citta.Contains(Filter.Citta!, StringComparison.OrdinalIgnoreCase)) &&
(Filter.Nazione.IsNullOrEmpty() || user.Nazione.Contains(Filter.Nazione!, StringComparison.OrdinalIgnoreCase)) &&
(Filter.Indirizzo.IsNullOrEmpty() || user.Indirizzo.Contains(Filter.Indirizzo!, StringComparison.OrdinalIgnoreCase)) &&
(!Filter.ConAgente || user.CodVage is not null) &&
(!Filter.SenzaAgente || user.CodVage is null) &&
(Filter.Agenti.IsNullOrEmpty() || (user.CodVage != null && Filter.Agenti!.Contains(user.CodVage)));
if (!matchesFilter) continue;
if (!string.IsNullOrWhiteSpace(TextToFilter))
{
var filter = TextToFilter.Trim();
var matchesText =
(!string.IsNullOrEmpty(user.RagSoc) && user.RagSoc.Contains(filter, StringComparison.OrdinalIgnoreCase)) || (!string.IsNullOrEmpty(user.RagSoc) && user.RagSoc.Contains(filter, StringComparison.OrdinalIgnoreCase)) ||
(!string.IsNullOrEmpty(user.Indirizzo) && user.Indirizzo.Contains(filter, StringComparison.OrdinalIgnoreCase)) || (!string.IsNullOrEmpty(user.Indirizzo) && user.Indirizzo.Contains(filter, StringComparison.OrdinalIgnoreCase)) ||
(!string.IsNullOrEmpty(user.Telefono) && user.Telefono.Contains(filter, StringComparison.OrdinalIgnoreCase)) || (!string.IsNullOrEmpty(user.Telefono) && user.Telefono.Contains(filter, StringComparison.OrdinalIgnoreCase)) ||
(!string.IsNullOrEmpty(user.EMail) && user.EMail.Contains(filter, StringComparison.OrdinalIgnoreCase)) || (!string.IsNullOrEmpty(user.EMail) && user.EMail.Contains(filter, StringComparison.OrdinalIgnoreCase)) ||
(!string.IsNullOrEmpty(user.PartIva) && user.PartIva.Contains(filter, StringComparison.OrdinalIgnoreCase)); (!string.IsNullOrEmpty(user.PartIva) && user.PartIva.Contains(filter, StringComparison.OrdinalIgnoreCase))
)
if (matchesText)
{
result.Add(item);
}
}
else
{ {
result.Add(item); result.Add(item);
} }
@@ -186,10 +126,4 @@
FilteredGroupedUserList = result; FilteredGroupedUserList = result;
} }
private void ToggleFilter()
{
OpenFilter = !OpenFilter;
StateHasChanged();
}
} }

View File

@@ -28,6 +28,6 @@
padding-bottom: .5rem; padding-bottom: .5rem;
} }
.search-box .input-card { margin: 0 !important; } .search-box .input-card {
margin: 0 !important;
.search-box .input-card ::deep .rounded-button { border-radius: 50%; } }

View File

@@ -1,4 +1,4 @@
@using salesbook.Shared.Components.SingleElements.Modal.ExceptionModal @using salesbook.Shared.Components.SingleElements
@inject NavigationManager NavigationManager @inject NavigationManager NavigationManager
<ErrorBoundary @ref="ErrorBoundary"> <ErrorBoundary @ref="ErrorBoundary">

View File

@@ -1,45 +0,0 @@
<div class="bottom-sheet-backdrop @(IsSheetVisible ? "show" : "")" @onclick="CloseBottomSheet"></div>
<div class="bottom-sheet-container @(IsSheetVisible ? "show" : "")">
<div class="bottom-sheet pb-safe-area">
<div class="title">
<MudText Typo="Typo.h6">
<b>Aggiungi un promemoria</b>
</MudText>
<MudIconButton Icon="@Icons.Material.Filled.Close" OnClick="() => CloseBottomSheet()"/>
</div>
<div class="input-card">
<div class="form-container">
<span>Data</span>
<MudTextField T="DateTime?" Format="yyyy-MM-dd" InputType="InputType.Date" @bind-Value="Date" />
</div>
</div>
<div class="input-card">
<MudTextField T="string?" Placeholder="Memo" Variant="Variant.Text" Lines="4" @bind-Value="Memo" />
</div>
<div class="button-section">
<MudButton Variant="Variant.Filled" Color="Color.Primary" OnClick="() => CloseBottomSheet(true)">Salva</MudButton>
</div>
</div>
</div>
@code {
[Parameter] public bool IsSheetVisible { get; set; }
[Parameter] public EventCallback<bool> IsSheetVisibleChanged { get; set; }
private DateTime? Date { get; set; } = DateTime.Today;
private string? Memo { get; set; }
private void CloseBottomSheet(bool save)
{
IsSheetVisible = false;
IsSheetVisibleChanged.InvokeAsync(IsSheetVisible);
}
private void CloseBottomSheet() => CloseBottomSheet(false);
}

View File

@@ -1,6 +1,6 @@
@using salesbook.Shared.Components.Pages @using salesbook.Shared.Core.Dto
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Core.Entity @using salesbook.Shared.Core.Entity
@using salesbook.Shared.Core.Helpers.Enum
@using salesbook.Shared.Core.Interface @using salesbook.Shared.Core.Interface
@inject IManageDataService manageData @inject IManageDataService manageData
@@ -15,81 +15,89 @@
<MudIconButton Icon="@Icons.Material.Filled.Close" OnClick="CloseBottomSheet"/> <MudIconButton Icon="@Icons.Material.Filled.Close" OnClick="CloseBottomSheet"/>
</div> </div>
<div class="input-card clearButton">
<MudTextField T="string?" Placeholder="Cerca..." Variant="Variant.Text" @bind-Value="Filter.Text" DebounceInterval="500"/>
<MudIconButton Class="closeIcon" Icon="@Icons.Material.Filled.Close" OnClick="() => Filter.Text = null"/>
</div>
<div class="input-card"> <div class="input-card">
<div class="form-container"> <div class="form-container">
<span class="disable-full-width">Con agente</span> <span class="disable-full-width">Assegnata a</span>
<MudSelectExtended SearchBox="true"
ItemCollection="Users.Select(x => x.UserName).ToList()"
SelectAllPosition="SelectAllPosition.NextToSearchBox"
SelectAll="true"
NoWrap="true"
MultiSelection="true"
MultiSelectionTextFunc="@(new Func<List<string>, string>(GetMultiSelectionUser))"
FullWidth="true" T="string"
Variant="Variant.Text"
Virtualize="true"
@bind-SelectedValues="Filter.User"
Class="customIcon-select"
AdornmentIcon="@Icons.Material.Filled.Code"/>
<MudCheckBox @bind-Value="Filter.ConAgente" Color="Color.Primary" @bind-Value:after="OnAfterChangeAgente"/>
</div> </div>
<div class="divider"></div> <div class="divider"></div>
<div class="form-container"> <div class="form-container">
<span class="disable-full-width">Senza agente</span> <span class="disable-full-width">Tipo</span>
<MudCheckBox @bind-Value="Filter.SenzaAgente" Color="Color.Primary" @bind-Value:after="OnAfterChangeAgente"/> <MudSelectExtended FullWidth="true"
</div> T="string?"
Variant="Variant.Text"
<div class="divider"></div> @bind-Value="Filter.Type"
Class="customIcon-select"
<div class="form-container"> AdornmentIcon="@Icons.Material.Filled.Code">
<span class="disable-full-width">Agente</span> @foreach (var type in ActivityType)
<MudSelectExtended FullWidth="true" T="string?" Variant="Variant.Text" NoWrap="true"
@bind-SelectedValues="Filter.Agenti" @bind-SelectedValues:after="OnAfterChangeAgenti"
MultiSelection="true" MultiSelectionTextFunc="@(new Func<List<string>, string>(GetMultiSelectionAgente))"
SelectAllPosition="SelectAllPosition.NextToSearchBox" SelectAll="true"
Class="customIcon-select" AdornmentIcon="@Icons.Material.Filled.Code">
@foreach (var user in Users)
{ {
<MudSelectItemExtended Class="custom-item-select" Value="@user.UserCode">@($"{user.UserCode} - {user.FullName}")</MudSelectItemExtended> <MudSelectItemExtended Class="custom-item-select" Value="@type.ActivityTypeId">@type.ActivityTypeId</MudSelectItemExtended>
}
</MudSelectExtended>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Esito</span>
<MudSelectExtended FullWidth="true"
T="string?"
Variant="Variant.Text"
@bind-Value="Filter.Result"
Class="customIcon-select"
AdornmentIcon="@Icons.Material.Filled.Code">
@foreach (var result in ActivityResult)
{
<MudSelectItemExtended Class="custom-item-select" Value="@result.ActivityResultId">@result.ActivityResultId</MudSelectItemExtended>
}
</MudSelectExtended>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Categoria</span>
<MudSelectExtended FullWidth="true"
T="ActivityCategoryEnum?"
Variant="Variant.Text"
@bind-Value="Filter.Category"
Class="customIcon-select"
AdornmentIcon="@Icons.Material.Filled.Code">
@foreach (var category in CategoryList)
{
<MudSelectItemExtended T="ActivityCategoryEnum?" Class="custom-item-select" Value="@category">@category.ConvertToHumanReadable()</MudSelectItemExtended>
} }
</MudSelectExtended> </MudSelectExtended>
</div> </div>
</div> </div>
<div class="input-card">
<div class="form-container">
<MudTextField T="string?"
Placeholder="Indirizzo"
Variant="Variant.Text"
@bind-Value="Filter.Indirizzo"
DebounceInterval="500"/>
</div>
<div class="divider"></div>
<div class="form-container">
<MudTextField T="string?"
Placeholder="Città"
Variant="Variant.Text"
@bind-Value="Filter.Citta"
DebounceInterval="500"/>
</div>
<div class="divider"></div>
<div class="form-container">
<MudTextField T="string?"
Placeholder="Provincia"
Variant="Variant.Text"
@bind-Value="Filter.Prov"
DebounceInterval="500"/>
</div>
<div class="divider"></div>
<div class="form-container">
<MudTextField T="string?"
Placeholder="Nazione"
Variant="Variant.Text"
@bind-Value="Filter.Nazione"
DebounceInterval="500"/>
</div>
</div>
<div class="button-section"> <div class="button-section">
<MudButton OnClick="() => Filter = new FilterUserDTO()" Variant="Variant.Outlined" Color="Color.Error">Pulisci</MudButton> <MudButton OnClick="() => Filter = new FilterActivityDTO()" Variant="Variant.Outlined" Color="Color.Error">Pulisci</MudButton>
<MudButton Variant="Variant.Filled" Color="Color.Primary" OnClick="OnFilterButton">Filtra</MudButton> <MudButton Variant="Variant.Filled" Color="Color.Primary" OnClick="OnFilterButton">Filtra</MudButton>
</div> </div>
</div> </div>
@@ -99,10 +107,13 @@
[Parameter] public bool IsSheetVisible { get; set; } [Parameter] public bool IsSheetVisible { get; set; }
[Parameter] public EventCallback<bool> IsSheetVisibleChanged { get; set; } [Parameter] public EventCallback<bool> IsSheetVisibleChanged { get; set; }
[Parameter] public FilterUserDTO Filter { get; set; } [Parameter] public FilterActivityDTO Filter { get; set; }
[Parameter] public EventCallback<FilterUserDTO> FilterChanged { get; set; } [Parameter] public EventCallback<FilterActivityDTO> FilterChanged { get; set; }
private List<StbActivityResult> ActivityResult { get; set; } = [];
private List<StbActivityType> ActivityType { get; set; } = [];
private List<StbUser> Users { get; set; } = []; private List<StbUser> Users { get; set; } = [];
private List<ActivityCategoryEnum> CategoryList { get; set; } = [];
protected override async Task OnParametersSetAsync() protected override async Task OnParametersSetAsync()
{ {
@@ -110,14 +121,19 @@
await LoadData(); await LoadData();
} }
private async Task LoadData() private string GetMultiSelectionUser(List<string> selectedValues)
{ {
Users = await manageData.GetTable<StbUser>(x => x.KeyGroup == 5); return $"{selectedValues.Count} Utent{(selectedValues.Count != 1 ? "i selezionati" : "e selezionato")}";
} }
private string GetMultiSelectionAgente(List<string> selectedValues) private async Task LoadData()
{ {
return $"{selectedValues.Count} Agent{(selectedValues.Count != 1 ? "i selezionati" : "e selezionato")}"; Users = await manageData.GetTable<StbUser>();
ActivityResult = await manageData.GetTable<StbActivityResult>();
ActivityType = await manageData.GetTable<StbActivityType>(x => x.FlagTipologia.Equals("A"));
CategoryList = ActivityCategoryHelper.AllActivityCategory;
StateHasChanged();
} }
private void CloseBottomSheet() private void CloseBottomSheet()
@@ -132,24 +148,4 @@
CloseBottomSheet(); CloseBottomSheet();
} }
private void OnAfterChangeAgenti()
{
if (Filter.Agenti == null || !Filter.Agenti.Any()) return;
Filter.ConAgente = false;
Filter.SenzaAgente = false;
}
private void OnAfterChangeAgente()
{
if (Filter.SenzaAgente)
{
Filter.ConAgente = false;
}
else if (Filter.ConAgente)
{
Filter.SenzaAgente = false;
}
}
} }

View File

@@ -1,24 +0,0 @@
@using salesbook.Shared.Core.Entity
<div style="margin-top: 1rem;" class="activity-card">
<div class="activity-left-section">
<div class="activity-body-section">
<div class="title-section">
<MudText Class="activity-title" Typo="Typo.body1" HtmlTag="h3">@Commessa.Descrizione</MudText>
<div class="activity-hours-section">
<span class="activity-hours">
@Commessa.CodJcom
</span>
</div>
</div>
</div>
</div>
<div class="activity-info-section">
<MudChip T="string" Icon="@IconConstants.Chip.User" Size="Size.Small">Stato</MudChip>
</div>
</div>
@code {
[Parameter] public JtbComt Commessa { get; set; } = new();
}

View File

@@ -1,59 +0,0 @@
.activity-card {
width: 100%;
display: flex;
flex-direction: column;
padding: .5rem .5rem;
border-radius: 12px;
line-height: normal;
box-shadow: var(--custom-box-shadow);
}
.activity-card.memo { border-left: 5px solid var(--mud-palette-info-darken); }
.activity-card.interna { border-left: 5px solid var(--mud-palette-success-darken); }
.activity-card.commessa { border-left: 5px solid var(--mud-palette-warning); }
.activity-left-section {
display: flex;
align-items: center;
margin-left: 4px;
}
.title-section {
display: flex;
flex-direction: row;
justify-content: space-between;
width: 100%;
}
.activity-hours {
font-weight: 700;
color: var(--mud-palette-text-primary);
}
.activity-hours-section ::deep .mud-chip { margin: 5px 0 0 !important; }
.activity-body-section {
width: 100%;
display: flex;
flex-direction: column;
}
.title-section ::deep > .activity-title {
font-weight: 800 !important;
margin: 0 !important;
line-height: normal !important;
color: var(--mud-palette-text-primary);
}
.activity-body-section ::deep > .activity-subtitle {
color: var(--mud-palette-gray-darker);
margin: .2rem 0 !important;
line-height: normal !important;
}
.activity-info-section {
display: flex;
flex-wrap: wrap;
}

View File

@@ -1,7 +1,6 @@
@using salesbook.Shared.Core.Dto @using salesbook.Shared.Core.Entity
@inject IDialogService Dialog
<div class="contact-card" @onclick="OpenPersRifForm"> <div class="contact-card">
<div class="contact-left-section"> <div class="contact-left-section">
<MudIcon Color="Color.Default" Icon="@Icons.Material.Filled.PersonOutline" Size="Size.Large" /> <MudIcon Color="Color.Default" Icon="@Icons.Material.Filled.PersonOutline" Size="Size.Large" />
@@ -19,25 +18,15 @@
<div class="contact-right-section"> <div class="contact-right-section">
@if (!Contact.NumCellulare.IsNullOrEmpty()) @if (!Contact.NumCellulare.IsNullOrEmpty())
{ {
<a href="@($"tel:{Contact.NumCellulare}")">
<MudIcon Color="Color.Success" Size="Size.Large" Icon="@Icons.Material.Outlined.Phone" /> <MudIcon Color="Color.Success" Size="Size.Large" Icon="@Icons.Material.Outlined.Phone" />
</a>
} }
@if (!Contact.EMail.IsNullOrEmpty()) @if (!Contact.EMail.IsNullOrEmpty()){
{
<a href="@($"mailto:{Contact.EMail}")">
<MudIcon Color="Color.Info" Size="Size.Large" Icon="@Icons.Material.Filled.MailOutline" /> <MudIcon Color="Color.Info" Size="Size.Large" Icon="@Icons.Material.Filled.MailOutline" />
</a>
} }
</div> </div>
</div> </div>
@code { @code {
[Parameter] public PersRifDTO Contact { get; set; } = new(); [Parameter] public VtbCliePersRif Contact { get; set; } = new();
private async Task OpenPersRifForm()
{
var result = await ModalHelpers.OpenPersRifForm(Dialog, Contact);
}
} }

View File

@@ -1,4 +1,3 @@
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Core.Entity @using salesbook.Shared.Core.Entity
@using salesbook.Shared.Core.Interface @using salesbook.Shared.Core.Interface
@inject IManageDataService ManageData @inject IManageDataService ManageData
@@ -7,7 +6,7 @@
<div class="user-card-left-section"> <div class="user-card-left-section">
<div class="user-card-body-section"> <div class="user-card-body-section">
<div class="title-section"> <div class="title-section">
<MudIcon @onclick="OpenUser" Color="Color.Primary" Icon="@(User.IsContact? Icons.Material.Filled.Person : Icons.Material.Filled.PersonOutline)" Size="Size.Large" /> <MudIcon @onclick="OpenUser" Color="Color.Primary" Icon="@Icons.Material.Filled.Person" Size="Size.Large" />
<div class="user-card-right-section"> <div class="user-card-right-section">
<div class="user-card-title"> <div class="user-card-title">
@@ -48,14 +47,14 @@
</div> </div>
@code { @code {
[Parameter] public ContactDTO User { get; set; } = new(); [Parameter] public AnagClie User { get; set; } = new();
private List<JtbComt>? Commesse { get; set; } private List<JtbComt>? Commesse { get; set; }
private bool IsLoading { get; set; } = true; private bool IsLoading { get; set; } = true;
private bool ShowSectionCommesse { get; set; } private bool ShowSectionCommesse { get; set; }
private void OpenUser() => private void OpenUser() =>
NavigationManager.NavigateTo($"/User/{User.CodContact}/{User.IsContact}"); NavigationManager.NavigateTo($"/User/{User.CodAnag}");
private async Task ShowCommesse() private async Task ShowCommesse()
{ {
@@ -63,7 +62,7 @@
if (ShowSectionCommesse) if (ShowSectionCommesse)
{ {
Commesse = await ManageData.GetTable<JtbComt>(x => x.CodAnag.Equals(User.CodContact)); Commesse = await ManageData.GetTable<JtbComt>(x => x.CodAnag.Equals(User.CodAnag));
IsLoading = false; IsLoading = false;
StateHasChanged(); StateHasChanged();
return; return;

View File

@@ -1,3 +1,6 @@
@using salesbook.Shared.Core.Services
@inject AppAuthenticationStateProvider AuthenticationStateProvider
<div class="container container-modal"> <div class="container container-modal">
<div class="c-modal"> <div class="c-modal">
<div class="exception-header mb-2"> <div class="exception-header mb-2">

View File

@@ -149,31 +149,17 @@
</MessageContent> </MessageContent>
<YesButton> <YesButton>
<MudButton Size="Size.Small" Variant="Variant.Filled" Color="Color.Error" <MudButton Size="Size.Small" Variant="Variant.Filled" Color="Color.Error"
StartIcon="@Icons.Material.Rounded.Check"> StartIcon="@Icons.Material.Filled.DeleteForever">
Cancella Cancella
</MudButton> </MudButton>
</YesButton> </YesButton>
</MudMessageBox> </MudMessageBox>
<MudMessageBox @ref="ConfirmMemo" Class="c-messageBox" Title="Attenzione!" CancelText="Annulla">
<MessageContent>
Vuoi creare un promemoria?
</MessageContent>
<YesButton>
<MudButton Size="Size.Small" Variant="Variant.Filled" Color="Color.Primary"
StartIcon="@Icons.Material.Rounded.DeleteForever">
Crea
</MudButton>
</YesButton>
</MudMessageBox>
</DialogContent> </DialogContent>
</MudDialog> </MudDialog>
<SaveOverlay VisibleOverlay="VisibleOverlay" SuccessAnimation="SuccessAnimation"/> <SaveOverlay VisibleOverlay="VisibleOverlay" SuccessAnimation="SuccessAnimation"/>
<SelectEsito @bind-IsSheetVisible="OpenEsito" @bind-ActivityModel="ActivityModel" @bind-ActivityModel:after="OnAfterChangeEsito"/> <SelectEsito @bind-IsSheetVisible="OpenEsito" @bind-ActivityModel="ActivityModel" @bind-ActivityModel:after="OnAfterChangeValue"/>
<AddMemo @bind-IsSheetVisible="OpenAddMemo" />
@code { @code {
[CascadingParameter] private IMudDialogInstance MudDialog { get; set; } [CascadingParameter] private IMudDialogInstance MudDialog { get; set; }
@@ -200,17 +186,12 @@
private bool VisibleOverlay { get; set; } private bool VisibleOverlay { get; set; }
private bool SuccessAnimation { get; set; } private bool SuccessAnimation { get; set; }
private bool OpenEsito { get; set; } private bool OpenEsito { get; set; } = false;
private bool OpenAddMemo { get; set; }
//MessageBox
private MudMessageBox ConfirmDelete { get; set; } private MudMessageBox ConfirmDelete { get; set; }
private MudMessageBox ConfirmMemo { get; set; }
protected override async Task OnInitializedAsync() protected override async Task OnInitializedAsync()
{ {
Snackbar.Configuration.PositionClass = Defaults.Classes.Position.TopCenter;
_ = LoadData(); _ = LoadData();
LabelSave = IsNew ? "Aggiungi" : null; LabelSave = IsNew ? "Aggiungi" : null;
@@ -262,6 +243,7 @@
private bool CheckPreSave() private bool CheckPreSave()
{ {
Snackbar.Clear(); Snackbar.Clear();
Snackbar.Configuration.PositionClass = Defaults.Classes.Position.TopCenter;
if (!ActivityModel.ActivityTypeId.IsNullOrEmpty()) return true; if (!ActivityModel.ActivityTypeId.IsNullOrEmpty()) return true;
Snackbar.Add("Tipo attività obbligatorio!", Severity.Error); Snackbar.Add("Tipo attività obbligatorio!", Severity.Error);
@@ -335,23 +317,9 @@
} }
} }
private async Task OnAfterChangeEsito()
{
OnAfterChangeValue();
var result = await ConfirmMemo.ShowAsync();
if (result is true)
OpenAddMemo = !OpenAddMemo;
}
private void OpenSelectEsito() private void OpenSelectEsito()
{ {
if (!IsNew && (ActivityModel.UserName is null || !ActivityModel.UserName.Equals(UserSession.User.Username))) if (!IsNew && (ActivityModel.UserName is null || !ActivityModel.UserName.Equals(UserSession.User.Username))) return;
{
Snackbar.Add("Non puoi inserire un esito per un'attività che non ti è stata assegnata.", Severity.Info);
return;
}
OpenEsito = !OpenEsito; OpenEsito = !OpenEsito;
StateHasChanged(); StateHasChanged();

View File

@@ -1,470 +0,0 @@
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Core.Interface
@using salesbook.Shared.Components.Layout.Overlay
@using salesbook.Shared.Core.Entity
@inject IManageDataService ManageData
@inject INetworkService NetworkService
@inject IIntegryApiService IntegryApiService
@inject IDialogService Dialog
<MudDialog Class="customDialog-form">
<DialogContent>
<HeaderLayout ShowProfile="false" Cancel="true" OnCancel="() => MudDialog.Cancel()" LabelSave="@LabelSave" OnSave="Save" Title="@(IsNew ? "Nuovo" : $"{ContactModel.CodContact}")"/>
<div class="content">
<div class="input-card">
<MudTextField ReadOnly="IsView"
T="string?"
Placeholder="Azienda"
Variant="Variant.Text"
Lines="1"
@bind-Value="ContactModel.RagSoc"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="input-card">
<div class="form-container">
<span class="disable-full-width">P. IVA</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.PartIva"
@bind-Value:after="OnAfterChangePIva"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Cod. Fiscale</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.CodFisc"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
</div>
<div class="input-card">
<div class="form-container">
<span class="disable-full-width">Tipo cliente</span>
@if (VtbTipi.IsNullOrEmpty())
{
<span class="warning-text">Nessun tipo cliente trovato</span>
}
else
{
<MudSelectExtended FullWidth="true" ReadOnly="@(IsView || VtbTipi.IsNullOrEmpty())" T="string?" Variant="Variant.Text" @bind-Value="ContactModel.CodVtip" @bind-Value:after="OnAfterChangeValue" Class="customIcon-select" AdornmentIcon="@Icons.Material.Filled.Code">
@foreach (var tipo in VtbTipi)
{
<MudSelectItemExtended Class="custom-item-select" Value="@tipo.CodVtip">@($"{tipo.CodVtip} - {tipo.Descrizione}")</MudSelectItemExtended>
}
</MudSelectExtended>
}
</div>
</div>
<div class="input-card">
<div class="form-container">
<span class="disable-full-width">Indirizzo</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
Lines="1"
FullWidth="true"
Class="customIcon-select"
@bind-Value="ContactModel.Indirizzo"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">CAP</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.Cap"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Città</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.Citta"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Provincia</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.Prov"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Nazione</span>
@if (Nazioni.IsNullOrEmpty())
{
<span class="warning-text">Nessuna nazione trovata</span>
}
else
{
<MudSelectExtended FullWidth="true" ReadOnly="@(IsView || Nazioni.IsNullOrEmpty())" T="string?"
Variant="Variant.Text" @bind-Value="ContactModel.Nazione" @bind-Value:after="OnAfterChangeValue"
Class="customIcon-select" AdornmentIcon="@Icons.Material.Filled.Code">
@foreach (var nazione in Nazioni)
{
<MudSelectItemExtended Class="custom-item-select" Value="@nazione.CodNazioneAlpha2">@($"{nazione.Descrizione}")</MudSelectItemExtended>
}
</MudSelectExtended>
}
</div>
</div>
<div class="input-card">
<div class="form-container">
<span class="disable-full-width">PEC</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.EMailPec"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">E-Mail</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.EMail"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Telefono</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="ContactModel.Telefono"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
</div>
@if (IsNew)
{
<div class="container-chip-persrif">
@if (!PersRifList.IsNullOrEmpty())
{
foreach (var item in PersRifList!.Select((p, index) => new { p, index }))
{
<MudChip T="string" Color="Color.Default" OnClick="() => OpenPersRifForm(item.index, item.p)" OnClose="() => OnRemovePersRif(item.index)">
@item.p.PersonaRif
</MudChip>
}
}
</div>
<div class="container-button">
<MudButton Class="button-settings gray-icon"
FullWidth="true"
StartIcon="@Icons.Material.Filled.PersonAddAlt1"
Size="Size.Medium"
OnClick="NewPersRif"
Variant="Variant.Outlined">
Persona di riferimento
</MudButton>
</div>
}
</div>
<MudMessageBox MarkupMessage="new MarkupString(VatMessage)" @ref="CheckVat" Class="c-messageBox" Title="Verifica partita iva" CancelText="@(VatAlreadyRegistered ? "" : "Annulla")">
<YesButton>
@if (VatAlreadyRegistered)
{
<MudButton Size="Size.Small" Variant="Variant.Filled" Color="Color.Error"
StartIcon="@Icons.Material.Rounded.Close">
Chiudi
</MudButton>
}
else
{
<MudButton Size="Size.Small" Variant="Variant.Filled" Color="Color.Primary"
StartIcon="@Icons.Material.Rounded.Check">
Aggiungi
</MudButton>
}
</YesButton>
</MudMessageBox>
</DialogContent>
</MudDialog>
<SaveOverlay VisibleOverlay="VisibleOverlay" SuccessAnimation="SuccessAnimation"/>
@code {
[CascadingParameter] private IMudDialogInstance MudDialog { get; set; }
[Parameter] public ContactDTO? OriginalModel { get; set; }
private ContactDTO ContactModel { get; set; } = new();
private List<VtbTipi>? VtbTipi { get; set; }
private List<PersRifDTO>? PersRifList { get; set; }
private List<Nazioni>? Nazioni { get; set; }
private bool IsNew => OriginalModel is null;
private bool IsView => !NetworkService.IsNetworkAvailable();
private string? LabelSave { get; set; }
//Overlay for save
private bool VisibleOverlay { get; set; }
private bool SuccessAnimation { get; set; }
//MessageBox
private MudMessageBox CheckVat { get; set; }
private string VatMessage { get; set; } = "";
private bool VatAlreadyRegistered { get; set; }
protected override async Task OnInitializedAsync()
{
Snackbar.Configuration.PositionClass = Defaults.Classes.Position.TopCenter;
await LoadData();
LabelSave = IsNew ? "Aggiungi" : null;
}
private async Task Save()
{
VisibleOverlay = true;
StateHasChanged();
var requestDto = new CRMCreateContactRequestDTO
{
TipoAnag = ContactModel.IsContact ? "C" : "P",
Cliente = ContactModel,
PersRif = PersRifList
};
await IntegryApiService.SaveContact(requestDto);
SuccessAnimation = true;
StateHasChanged();
await Task.Delay(1250);
MudDialog.Close();
}
private async Task LoadData()
{
if (IsNew)
{
ContactModel.IsContact = false;
ContactModel.Nazione = "IT";
}
else
{
ContactModel = OriginalModel!.Clone();
}
Nazioni = await ManageData.GetTable<Nazioni>();
VtbTipi = await ManageData.GetTable<VtbTipi>();
}
private void OnAfterChangeValue()
{
if (!IsNew)
{
LabelSave = !OriginalModel.Equals(ContactModel) ? "Aggiorna" : null;
}
}
private Task NewPersRif() => OpenPersRifForm(null, null);
private async Task OpenPersRifForm(int? index, PersRifDTO? persRif)
{
var result = await ModalHelpers.OpenPersRifForm(Dialog, persRif);
if (result is { Canceled: false, Data: not null } && result.Data.GetType() == typeof(PersRifDTO))
{
if (index != null)
OnRemovePersRif(index.Value);
PersRifList ??= [];
PersRifList.Add((PersRifDTO)result.Data);
}
}
private void OnRemovePersRif(int index)
{
if (PersRifList is null || index < 0 || index >= PersRifList.Count)
return;
PersRifList.RemoveAt(index);
StateHasChanged();
}
private async Task OnAfterChangePIva()
{
CheckVatResponseDTO? response = null;
var error = false;
VisibleOverlay = true;
StateHasChanged();
var nazione = Nazioni?.Find(x =>
x.CodNazioneAlpha2.Equals(ContactModel.Nazione) ||
x.CodNazioneIso.Equals(ContactModel.Nazione) ||
x.Nazione.Equals(ContactModel.Nazione)
);
if (nazione == null)
return;
var pIva = ContactModel.PartIva.Trim();
var clie = (await ManageData.GetTable<AnagClie>(x => x.PartIva.Equals(pIva))).LastOrDefault();
if (clie == null)
{
var pros = (await ManageData.GetTable<PtbPros>(x => x.PartIva.Equals(pIva))).LastOrDefault();
if (pros == null)
{
if (nazione.ChkPartIva)
{
if (!IsView)
{
try
{
response = await IntegryApiService.CheckVat(new CheckVatRequestDTO
{
CountryCode = nazione.CodNazioneAlpha2,
VatNumber = pIva
});
VatMessage = $"La p.Iva (<b>{pIva}</b>) corrisponde a:<br><br><b>{response.RagSoc}</b><br><b>{response.CompleteAddress}</b><br><br>Si desidera aggiungere questi dati nel form?";
VatAlreadyRegistered = false;
}
catch (Exception e)
{
Snackbar.Clear();
Snackbar.Add(e.Message, Severity.Error);
error = true;
}
}
else
{
Snackbar.Clear();
Snackbar.Add("La ricerca della partita iva non è al momento disponibile", Severity.Warning);
error = true;
}
}
else
{
Snackbar.Clear();
Snackbar.Add("La ricerca della partita iva non è abilitata per questa nazione", Severity.Warning);
error = true;
}
}
else
{
VatMessage = $"Prospect (<b>{pros.CodPpro}</b>) già censito con la p.iva: <b>{pIva} - {pros.RagSoc}</b>";
VatAlreadyRegistered = true;
}
}
else
{
VatMessage = $"Cliente (<b>{clie.CodAnag}</b>) già censito con la p.iva: <b>{pIva} - {clie.RagSoc}</b>";
VatAlreadyRegistered = true;
}
VisibleOverlay = false;
StateHasChanged();
if (!error)
{
var result = await CheckVat.ShowAsync();
if (result is true && response != null)
{
ContactModel.RagSoc = response.RagSoc;
ContactModel.Indirizzo = response.Indirizzo;
ContactModel.Cap = response.Cap;
ContactModel.Citta = response.Citta;
ContactModel.Prov = response.Prov;
}
}
OnAfterChangeValue();
}
}

View File

@@ -1,9 +0,0 @@
.container-button {
background: var(--mud-palette-background-gray) !important;
box-shadow: unset;
}
.container-chip-persrif {
width: 100%;
margin-bottom: 1rem;
}

View File

@@ -1,161 +0,0 @@
@using salesbook.Shared.Core.Dto
@using salesbook.Shared.Components.Layout
@using salesbook.Shared.Core.Interface
@using salesbook.Shared.Components.Layout.Overlay
@inject IManageDataService ManageData
@inject INetworkService NetworkService
@inject IIntegryApiService IntegryApiService
<MudDialog Class="customDialog-form">
<DialogContent>
<HeaderLayout ShowProfile="false" Cancel="true" OnCancel="() => MudDialog.Cancel()" LabelSave="@LabelSave" OnSave="Save" Title="@(IsNew ? "Nuovo" : "")" />
<div class="content">
<div class="input-card">
<MudTextField ReadOnly="IsView"
T="string?"
Placeholder="Cognome e Nome"
Variant="Variant.Text"
Lines="1"
@bind-Value="PersRifModel.PersonaRif"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="input-card">
<MudTextField ReadOnly="IsView"
T="string?"
Placeholder="Mansione"
Variant="Variant.Text"
Lines="1"
@bind-Value="PersRifModel.Mansione"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue" />
</div>
<div class="input-card">
<div class="form-container">
<span class="disable-full-width">Email</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="PersRifModel.EMail"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Fax</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="PersRifModel.Fax"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Cellulare</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="PersRifModel.NumCellulare"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue"/>
</div>
<div class="divider"></div>
<div class="form-container">
<span class="disable-full-width">Telefono</span>
<MudTextField ReadOnly="IsView"
T="string?"
Variant="Variant.Text"
FullWidth="true"
Class="customIcon-select"
Lines="1"
@bind-Value="PersRifModel.Telefono"
@bind-Value:after="OnAfterChangeValue"
DebounceInterval="500"
OnDebounceIntervalElapsed="OnAfterChangeValue" />
</div>
</div>
</div>
</DialogContent>
</MudDialog>
<SaveOverlay VisibleOverlay="VisibleOverlay" SuccessAnimation="SuccessAnimation"/>
@code {
[CascadingParameter] private IMudDialogInstance MudDialog { get; set; }
[Parameter] public PersRifDTO? OriginalModel { get; set; }
private PersRifDTO PersRifModel { get; set; } = new();
private bool IsNew => OriginalModel is null;
private bool IsView => !NetworkService.IsNetworkAvailable();
private string? LabelSave { get; set; }
//Overlay for save
private bool VisibleOverlay { get; set; }
private bool SuccessAnimation { get; set; }
protected override async Task OnInitializedAsync()
{
Snackbar.Configuration.PositionClass = Defaults.Classes.Position.TopCenter;
_ = LoadData();
LabelSave = IsNew ? "Aggiungi" : null;
}
private async Task Save()
{
VisibleOverlay = true;
StateHasChanged();
SuccessAnimation = true;
StateHasChanged();
await Task.Delay(1250);
MudDialog.Close(PersRifModel);
}
private async Task LoadData()
{
if (!IsNew)
PersRifModel = OriginalModel!.Clone();
}
private void OnAfterChangeValue()
{
if (!IsNew)
{
LabelSave = !OriginalModel.Equals(PersRifModel) ? "Aggiorna" : null;
}
}
}

View File

@@ -1,4 +0,0 @@
.container-button {
background: var(--mud-palette-background-gray) !important;
box-shadow: unset;
}

View File

@@ -1,18 +0,0 @@
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Dto;
public class CRMCreateContactRequestDTO
{
[JsonPropertyName("codVdes")]
public string? CodVdes { get; set; }
[JsonPropertyName("tipoAnag")]
public string TipoAnag { get; set; }
[JsonPropertyName("cliente")]
public ContactDTO Cliente { get; set; }
[JsonPropertyName("persRif")]
public List<PersRifDTO>? PersRif { get; set; }
}

View File

@@ -1,12 +0,0 @@
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Dto;
public class CheckVatRequestDTO
{
[JsonPropertyName("countryCode")]
public string CountryCode { get; set; }
[JsonPropertyName("vatNumber")]
public string VatNumber { get; set; }
}

View File

@@ -1,39 +0,0 @@
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Dto;
public class CheckVatResponseDTO
{
[JsonPropertyName("countryCode")]
public string? CountryCode { get; set; }
[JsonPropertyName("vatNumber ")]
public string? VatNumber { get; set; }
[JsonPropertyName("requestDate")]
public string? RequestDate { get; set; }
[JsonPropertyName("valid")]
public bool Valid { get; set; }
[JsonPropertyName("name")]
public string? Name { get; set; }
[JsonPropertyName("address")]
public string? CompleteAddress { get; set; }
[JsonPropertyName("ragSoc")]
public string? RagSoc { get; set; }
[JsonPropertyName("indirizzo")]
public string? Indirizzo { get; set; }
[JsonPropertyName("cap")]
public string? Cap { get; set; }
[JsonPropertyName("citta")]
public string? Citta { get; set; }
[JsonPropertyName("prov")]
public string? Prov { get; set; }
}

View File

@@ -1,65 +0,0 @@
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Dto;
public class ContactDTO
{
[JsonPropertyName("codContact")]
public string CodContact { get; set; }
[JsonPropertyName("isContact")]
public bool IsContact { get; set; }
[JsonPropertyName("codVtip")]
public string? CodVtip { get; set; }
[JsonPropertyName("codVage")]
public string? CodVage { get; set; }
[JsonPropertyName("ragSoc")]
public string? RagSoc { get; set; }
[JsonPropertyName("indirizzo")]
public string? Indirizzo { get; set; }
[JsonPropertyName("cap")]
public string? Cap { get; set; }
[JsonPropertyName("citta")]
public string? Citta { get; set; }
[JsonPropertyName("prov")]
public string? Prov { get; set; }
[JsonPropertyName("nazione")]
public string? Nazione { get; set; }
[JsonPropertyName("telefono")]
public string? Telefono { get; set; }
[JsonPropertyName("fax")]
public string Fax { get; set; }
[JsonPropertyName("partIva")]
public string PartIva { get; set; }
[JsonPropertyName("codFisc")]
public string CodFisc { get; set; }
[JsonPropertyName("note")]
public string Note { get; set; }
[JsonPropertyName("personaRif")]
public string PersonaRif { get; set; }
[JsonPropertyName("eMail")]
public string? EMail { get; set; }
[JsonPropertyName("eMailPec")]
public string EMailPec { get; set; }
public ContactDTO Clone()
{
return (ContactDTO)MemberwiseClone();
}
}

View File

@@ -1,13 +0,0 @@
namespace salesbook.Shared.Core.Dto;
public class FilterUserDTO
{
public bool ConAgente { get; set; }
public bool SenzaAgente { get; set; }
public IEnumerable<string>? Agenti { get; set; }
public string? Indirizzo { get; set; }
public string? Citta { get; set; }
public string? Nazione { get; set; }
public string? Prov { get; set; }
}

View File

@@ -1,38 +0,0 @@
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Dto;
public class PersRifDTO
{
[JsonPropertyName("codPersRif")]
public string CodPersRif { get; set; }
[JsonPropertyName("idPersRif")]
public int IdPersRif { get; set; }
[JsonPropertyName("personaRif")]
public string PersonaRif { get; set; }
[JsonPropertyName("eMail")]
public string EMail { get; set; }
[JsonPropertyName("fax")]
public string Fax { get; set; }
[JsonPropertyName("mansione")]
public string? Mansione { get; set; }
[JsonPropertyName("numCellulare")]
public string NumCellulare { get; set; }
[JsonPropertyName("telefono")]
public string Telefono { get; set; }
[JsonIgnore]
public int TempId { get; set; }
public PersRifDTO Clone()
{
return (PersRifDTO)MemberwiseClone();
}
}

View File

@@ -13,10 +13,4 @@ public class SettingsResponseDTO
[JsonPropertyName("stbUsers")] [JsonPropertyName("stbUsers")]
public List<StbUser>? StbUsers { get; set; } public List<StbUser>? StbUsers { get; set; }
[JsonPropertyName("vtbTipi")]
public List<VtbTipi>? VtbTipi { get; set; }
[JsonPropertyName("nazioni")]
public List<Nazioni>? Nazioni { get; set; }
} }

View File

@@ -1,23 +0,0 @@
using System.Text.Json.Serialization;
using SQLite;
namespace salesbook.Shared.Core.Entity;
[Table("nazioni")]
public class Nazioni
{
[PrimaryKey, Column("nazione"), JsonPropertyName("nazione")]
public string Nazione { get; set; }
[Column("cod_nazione_iso"), JsonPropertyName("codNazioneIso")]
public string CodNazioneIso { get; set; }
[Column("cod_nazi_alpha_2"), JsonPropertyName("codNazioneAlpha2")]
public string CodNazioneAlpha2 { get; set; }
[Column("descrizione"), JsonPropertyName("descrizione")]
public string Descrizione { get; set; }
[Column("chk_part_iva"), JsonPropertyName("chkPartIva")]
public bool ChkPartIva { get; set; }
}

View File

@@ -11,10 +11,4 @@ public class StbUser
[Column("full_name"), JsonPropertyName("fullName")] [Column("full_name"), JsonPropertyName("fullName")]
public string FullName { get; set; } public string FullName { get; set; }
[Column("key_group"), JsonPropertyName("keyGroup")]
public int KeyGroup { get; set; }
[Column("user_code"), JsonPropertyName("userCode")]
public string? UserCode { get; set; }
} }

View File

@@ -1,14 +0,0 @@
using SQLite;
using System.Text.Json.Serialization;
namespace salesbook.Shared.Core.Entity;
[Table("vtb_tipi")]
public class VtbTipi
{
[PrimaryKey, Column("cod_vtip"), JsonPropertyName("codVtip")]
public string CodVtip { get; set; }
[Column("descrizione"), JsonPropertyName("descrizione")]
public string Descrizione { get; set; }
}

View File

@@ -9,23 +9,5 @@ public class MappingProfile : Profile
public MappingProfile() public MappingProfile()
{ {
CreateMap<StbActivity, ActivityDTO>(); CreateMap<StbActivity, ActivityDTO>();
// Mapping da AnagClie a ContactDTO
CreateMap<AnagClie, ContactDTO>()
.ForMember(dest => dest.CodContact, opt => opt.MapFrom(src => src.CodAnag))
.ForMember(dest => dest.IsContact, opt => opt.MapFrom(src => true));
// Mapping da PtbPros a ContactDTO
CreateMap<PtbPros, ContactDTO>()
.ForMember(dest => dest.CodContact, opt => opt.MapFrom(src => src.CodPpro))
.ForMember(dest => dest.IsContact, opt => opt.MapFrom(src => false));
//Mapping da VtbCliePersRif a PersRifDTO
CreateMap<VtbCliePersRif, PersRifDTO>()
.ForMember(x => x.CodPersRif, y => y.MapFrom(z => z.CodAnag));
//Mapping da PtbProsRif a PersRifDTO
CreateMap<PtbProsRif, PersRifDTO>()
.ForMember(x => x.CodPersRif, y => y.MapFrom(z => z.CodPpro));
} }
} }

View File

@@ -25,42 +25,4 @@ public class ModalHelpers
return await modal.Result; return await modal.Result;
} }
public static async Task<DialogResult?> OpenUserForm(IDialogService dialog, ContactDTO? anag)
{
var modal = await dialog.ShowAsync<ContactForm>(
"User form",
new DialogParameters<ContactForm>
{
{ x => x.OriginalModel, anag }
},
new DialogOptions
{
FullScreen = true,
CloseButton = false,
NoHeader = true
}
);
return await modal.Result;
}
public static async Task<DialogResult?> OpenPersRifForm(IDialogService dialog, PersRifDTO? persRif)
{
var modal = await dialog.ShowAsync<PersRifForm>(
"Pers rif form",
new DialogParameters<PersRifForm>
{
{ x => x.OriginalModel, persRif }
},
new DialogOptions
{
FullScreen = true,
CloseButton = false,
NoHeader = true
}
);
return await modal.Result;
}
} }

View File

@@ -14,6 +14,4 @@ public interface IIntegryApiService
Task DeleteActivity(string activityId); Task DeleteActivity(string activityId);
Task<List<StbActivity>?> SaveActivity(ActivityDTO activity); Task<List<StbActivity>?> SaveActivity(ActivityDTO activity);
Task SaveContact(CRMCreateContactRequestDTO request);
Task<CheckVatResponseDTO> CheckVat(CheckVatRequestDTO request);
} }

View File

@@ -7,9 +7,7 @@ namespace salesbook.Shared.Core.Interface;
public interface IManageDataService public interface IManageDataService
{ {
Task<List<T>> GetTable<T>(Expression<Func<T, bool>>? whereCond = null) where T : new(); Task<List<T>> GetTable<T>(Expression<Func<T, bool>>? whereCond = null) where T : new();
Task<List<ActivityDTO>> GetActivity(Expression<Func<StbActivity, bool>>? whereCond = null); Task<List<ActivityDTO>> GetActivity(Expression<Func<StbActivity, bool>>? whereCond = null);
Task<List<ContactDTO>> GetContact();
Task InsertOrUpdate<T>(T objectToSave); Task InsertOrUpdate<T>(T objectToSave);

View File

@@ -0,0 +1,6 @@
namespace salesbook.Shared.Core.Interface;
public interface INavigationService
{
Task NavigateToDetailsAsync();
}

View File

@@ -0,0 +1,6 @@
namespace salesbook.Shared.Core.Interface;
public interface IPageTitleService
{
void SetTitle(string title);
}

View File

@@ -1,5 +1,4 @@
using System.Xml; using IntegryApiClient.Core.Domain.Abstraction.Contracts.Account;
using IntegryApiClient.Core.Domain.Abstraction.Contracts.Account;
using IntegryApiClient.Core.Domain.RestClient.Contacts; using IntegryApiClient.Core.Domain.RestClient.Contacts;
using salesbook.Shared.Core.Dto; using salesbook.Shared.Core.Dto;
using salesbook.Shared.Core.Entity; using salesbook.Shared.Core.Entity;
@@ -68,10 +67,4 @@ public class IntegryApiService(IIntegryApiRestClient integryApiRestClient, IUser
public Task<List<StbActivity>?> SaveActivity(ActivityDTO activity) => public Task<List<StbActivity>?> SaveActivity(ActivityDTO activity) =>
integryApiRestClient.AuthorizedPost<List<StbActivity>?>("crm/saveActivity", activity); integryApiRestClient.AuthorizedPost<List<StbActivity>?>("crm/saveActivity", activity);
public Task SaveContact(CRMCreateContactRequestDTO request) =>
integryApiRestClient.AuthorizedPost<object>("crm/createContact", request);
public Task<CheckVatResponseDTO> CheckVat(CheckVatRequestDTO request) =>
integryApiRestClient.Post<CheckVatResponseDTO>("checkPartitaIva", request)!;
} }

View File

@@ -6,16 +6,6 @@
<ImplicitUsings>enable</ImplicitUsings> <ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup> </PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|AnyCPU'">
<IsAotCompatible>True</IsAotCompatible>
<RunAOTCompilation>true</RunAOTCompilation>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|AnyCPU'">
<IsAotCompatible>True</IsAotCompatible>
<RunAOTCompilation>true</RunAOTCompilation>
</PropertyGroup>
<ItemGroup> <ItemGroup>
<SupportedPlatform Include="browser" /> <SupportedPlatform Include="browser" />
</ItemGroup> </ItemGroup>
@@ -24,11 +14,12 @@
<PackageReference Include="AutoMapper" Version="14.0.0" /> <PackageReference Include="AutoMapper" Version="14.0.0" />
<PackageReference Include="CodeBeam.MudBlazor.Extensions" Version="8.2.2" /> <PackageReference Include="CodeBeam.MudBlazor.Extensions" Version="8.2.2" />
<PackageReference Include="CommunityToolkit.Mvvm" Version="8.4.0" /> <PackageReference Include="CommunityToolkit.Mvvm" Version="8.4.0" />
<PackageReference Include="IntegryApiClient.Core" Version="1.1.6" /> <PackageReference Include="IntegryApiClient.Core" Version="1.1.4" />
<PackageReference Include="Microsoft.AspNetCore.Components.Authorization" Version="9.0.6" /> <PackageReference Include="Microsoft.AspNetCore.Components.Authorization" Version="9.0.5" />
<PackageReference Include="Microsoft.Maui.Controls.Core" Version="9.0.70" />
<PackageReference Include="sqlite-net-pcl" Version="1.9.172" /> <PackageReference Include="sqlite-net-pcl" Version="1.9.172" />
<PackageReference Include="System.IdentityModel.Tokens.Jwt" Version="8.12.1" /> <PackageReference Include="System.IdentityModel.Tokens.Jwt" Version="8.11.0" />
<PackageReference Include="Microsoft.AspNetCore.Components.Web" Version="9.0.6" /> <PackageReference Include="Microsoft.AspNetCore.Components.Web" Version="9.0.5" />
<PackageReference Include="MudBlazor" Version="8.6.0" /> <PackageReference Include="MudBlazor" Version="8.6.0" />
<PackageReference Include="MudBlazor.ThemeManager" Version="3.0.0" /> <PackageReference Include="MudBlazor.ThemeManager" Version="3.0.0" />
</ItemGroup> </ItemGroup>

View File

@@ -41,23 +41,20 @@
} }
.form-container > span { .form-container > span {
font-weight: 700; font-weight: 600;
width: 50%; width: 50%;
margin-right: .3rem; margin-right: .3rem;
} }
.form-container > .warning-text { .form-container > .warning-text {
font-weight: 700; font-weight: 500;
color: var(--mud-palette-gray-darker); color: var(--mud-palette-gray-darker);
width: unset; width: unset;
margin: 0; margin: 0;
} }
.form-container > .disable-full-width { .form-container > .disable-full-width { width: unset !important; }
width: unset !important;
white-space: nowrap;
}
.dateTime-picker { .dateTime-picker {
display: flex; display: flex;

View File

@@ -17,11 +17,6 @@ public class ManageDataService : IManageDataService
throw new NotImplementedException(); throw new NotImplementedException();
} }
public Task<List<ContactDTO>> GetContact()
{
throw new NotImplementedException();
}
public Task InsertOrUpdate<T>(T objectToSave) public Task InsertOrUpdate<T>(T objectToSave)
{ {
throw new NotImplementedException(); throw new NotImplementedException();

View File

@@ -22,8 +22,7 @@ builder.Services.AddScoped<IManageDataService, ManageDataService>();
builder.Services.AddScoped<AppAuthenticationStateProvider>(); builder.Services.AddScoped<AppAuthenticationStateProvider>();
builder.Services.AddScoped<AuthenticationStateProvider>(provider => provider.GetRequiredService<AppAuthenticationStateProvider>()); builder.Services.AddScoped<AuthenticationStateProvider>(provider => provider.GetRequiredService<AppAuthenticationStateProvider>());
const string appToken = "f0484398-1f8b-42f5-ab79-5282c164e1d8"; builder.Services.UseLoginAzienda("f0484398-1f8b-42f5-ab79-5282c164e1d8");
builder.Services.UseIntegry(appToken: appToken, useLoginAzienda: true);
builder.RootComponents.Add<Routes>("#app"); builder.RootComponents.Add<Routes>("#app");
builder.RootComponents.Add<HeadOutlet>("head::after"); builder.RootComponents.Add<HeadOutlet>("head::after");

View File

@@ -16,10 +16,10 @@
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="IntegryApiClient.Blazor" Version="1.1.6" /> <PackageReference Include="IntegryApiClient.Blazor" Version="1.1.4" />
<PackageReference Include="Microsoft.AspNetCore.Components.Authorization" Version="9.0.6" /> <PackageReference Include="Microsoft.AspNetCore.Components.Authorization" Version="9.0.5" />
<PackageReference Include="Microsoft.AspNetCore.Components.WebAssembly" Version="9.0.6" /> <PackageReference Include="Microsoft.AspNetCore.Components.WebAssembly" Version="9.0.5" />
<PackageReference Include="Microsoft.AspNetCore.Components.WebAssembly.DevServer" Version="9.0.6" /> <PackageReference Include="Microsoft.AspNetCore.Components.WebAssembly.DevServer" Version="9.0.5" />
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>