copie des projets

master
Enzo 2 years ago
parent 5c21f5e8e4
commit 64104857e9

Binary file not shown.

@ -0,0 +1,80 @@
using System;
using LibraryDTO;
using Newtonsoft.Json.Linq;
using System.Globalization;
namespace JsonReader
{
public static class AuthorJsonReader
{
public static AuthorDTO ReadAuthor(string json)
{
JObject o = JObject.Parse(json);
string bioTokenAsString = null;
if(o.TryGetValue("bio", out JToken? bioToken))
{
if(bioToken.Type == JTokenType.String)
{
bioTokenAsString = (string)bioToken;
}
else
{
var bioTokenValue = o["bio"]?["value"];
bioTokenAsString = (string)bioTokenValue;
}
}
AuthorDTO author = new AuthorDTO
{
Id = (string)o["key"],
Name = (string)o["name"],
Bio = bioTokenAsString,
BirthDate = o.TryGetValue("birth_date", out JToken? bd) ? ReadDate((string)o["birth_date"]) : null,
DeathDate = o.TryGetValue("death_date", out JToken? dd) ? ReadDate((string)o["death_date"]) : null,
Links = o.TryGetValue("links", out JToken? links) ? links.Select(l => new LinkDTO { Title = (string)l["title"], Url = (string)l["url"] }).ToList() : new List<LinkDTO>(),
AlternateNames = o.TryGetValue("alternate_names", out JToken? altNames) ? altNames.Select(alt => (string)alt).ToList() : new List<string?>()
};
return author;
}
public static DateTime? ReadDate(string dateInJson)
{
if(dateInJson == null) return null;
List<Tuple<string, CultureInfo>> pubDateFormat =new List<Tuple<string, CultureInfo>>()
{
Tuple.Create("d MMMM yyyy", CultureInfo.GetCultureInfo("fr-FR")),
Tuple.Create("d MMMM yyyy", CultureInfo.InvariantCulture),
Tuple.Create("MMM dd, yyyy", CultureInfo.InvariantCulture)
};
DateTime? publishDate = null;
foreach(var format in pubDateFormat)
{
if(DateTime.TryParseExact(dateInJson, format.Item1, format.Item2, DateTimeStyles.None, out DateTime readDate))
{
publishDate = readDate;
break;
}
}
if(!publishDate.HasValue && int.TryParse(dateInJson, out int year))
{
publishDate = new DateTime(year, 12, 31);
}
return publishDate;
}
public static Tuple<long, IEnumerable<AuthorDTO>> GetAuthorsByName(string json)
{
JObject o = JObject.Parse(json);
long numFound = (long)o["numFound"];
var authors = o["docs"].Select(doc => new AuthorDTO
{
Id = $"/authors/{(string)doc["key"]}",
Name = (string)doc["name"],
});
return Tuple.Create(numFound, authors);
}
}
}

@ -0,0 +1,97 @@
using System.Globalization;
using LibraryDTO;
using Newtonsoft.Json.Linq;
namespace JsonReader;
public static class BookJsonReader
{
static Dictionary<string, Languages> languages = new Dictionary<string, Languages>()
{
[@"/languages/fre"] = Languages.French,
[@"/languages/eng"] = Languages.English,
["fre"] = Languages.French,
["eng"] = Languages.English,
[""] = Languages.Unknown
};
public static BookDTO ReadBook(string json)
{
JObject o = JObject.Parse(json);
var l = o["languages"]?.FirstOrDefault("");
Languages lang = l != null ? languages[(string)l["key"]] : Languages.Unknown;
//List<Tuple<string, CultureInfo>> pubDateFormat =new List<Tuple<string, CultureInfo>>()
//{
// Tuple.Create("d MMMM yyyy", CultureInfo.GetCultureInfo("fr-FR")),
// Tuple.Create("MMM dd, yyyy", CultureInfo.InvariantCulture)
//};
//DateTime? publishDate = null;
//foreach(var format in pubDateFormat)
//{
// if(DateTime.TryParseExact((string)o["publish_date"], format.Item1, format.Item2, DateTimeStyles.None, out DateTime readDate))
// {
// publishDate = readDate;
// break;
// }
//}
//if(!publishDate.HasValue)
//{
// publishDate = new DateTime((int)o["publish_date"], 12, 31);
//}
DateTime? publishDate = AuthorJsonReader.ReadDate((string)o["publish_date"]);
BookDTO book = new BookDTO
{
Id = (string)o["key"],
Title = (string)o["title"],
Publishers = o["publishers"].Select(p => (string)p).ToList(),
PublishDate = publishDate.GetValueOrDefault(DateTime.Now),
ISBN13 = (string)o["isbn_13"][0],
NbPages = o["number_of_pages"] != null ? (int)o["number_of_pages"] : -1,
Language = lang,
Format = o.TryGetValue("physical_format", out JToken? f) ? (string)f : null,
Works = o["works"].Select(w => new WorkDTO { Id = (string)w["key"] }).ToList(),
Contributors = o.TryGetValue("contributors", out JToken? contr) ? contr.Select(c => new ContributorDTO { Name = (string)c["name"], Role = (string)c["role"] }).ToList() : new List<ContributorDTO>(),
Authors = o["authors"]?.Select(a => new AuthorDTO { Id = (string)a["key"] }).ToList()
};
if(book.Authors == null)
{
book.Authors = new List<AuthorDTO>();
}
return book;
}
public static Tuple<long, IEnumerable<BookDTO>> GetBooksByAuthor(string json)
{
JObject o = JObject.Parse(json);
long numFound = (long)o["numFound"];
var books = o["docs"].Select(doc => new BookDTO
{
Id = (string)(doc["seed"].First()),
Title = (string)doc["title"],
ISBN13 = (string)(doc["isbn"].First()),
Authors = doc["seed"].Where(s => ((string)s).StartsWith("/authors/"))
.Select(s => new AuthorDTO { Id = (string)s }).ToList(),
Language = languages.GetValueOrDefault((string)(doc["language"].First()))
});
return Tuple.Create(numFound, books);
}
public static Tuple<long, IEnumerable<BookDTO>> GetBooksByTitle(string json)
{
JObject o = JObject.Parse(json);
long numFound = (long)o["numFound"];
var books = o["docs"].Select(doc => new BookDTO
{
Id = (string)(doc["seed"].First()),
Title = (string)doc["title"],
ISBN13 = (string)(doc["isbn"].First()),
Authors = doc["seed"].Where(s => ((string)s).StartsWith("/authors/"))
.Select(s => new AuthorDTO { Id = (string)s }).ToList(),
Language = languages.GetValueOrDefault((string)(doc["language"].First()))
});
return Tuple.Create(numFound, books);
}
}

@ -0,0 +1,9 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net7.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
</Project>

@ -0,0 +1,55 @@
using System;
using LibraryDTO;
using Newtonsoft.Json.Linq;
using System.Globalization;
namespace JsonReader
{
public static class WorkJsonReader
{
public static WorkDTO ReadWork(string json, string ratingsJson)
{
JObject o = JObject.Parse(json);
JObject r = JObject.Parse(ratingsJson);
var ratingsDto = new RatingsDTO();
if(r["summary"]["average"].Type != JTokenType.Float)
{
ratingsDto.Average = -1;
ratingsDto.Count = 0;
}
else
{
ratingsDto.Average = (float)r["summary"]["average"];
ratingsDto.Count = (int)r["summary"]["count"];
}
string description = null;
if(o.TryGetValue("description", out JToken? descr))
{
if(descr.Type == JTokenType.String)
{
description = (string)descr;
}
else
{
if (descr["value"].Type == JTokenType.String)
{
description = (string)descr["value"];
}
}
}
WorkDTO work = new WorkDTO
{
Id = (string)o["key"],
Title = (string)o["title"],
Authors = o.TryGetValue("authors", out JToken? authors) ? authors.Select(a => new AuthorDTO { Id = (string)a["author"]["key"] }).ToList() : new List<AuthorDTO>(),
Description = description,
Subjects = o.TryGetValue("subjects", out JToken? subjects) ? subjects.Select(s => (string)s).ToList() : new List<string>(),
Ratings = ratingsDto
};
return work;
}
}
}

@ -0,0 +1,4 @@
// <autogenerated />
using System;
using System.Reflection;
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v7.0", FrameworkDisplayName = ".NET 7.0")]

@ -0,0 +1,23 @@
//------------------------------------------------------------------------------
// <auto-generated>
// Ce code a été généré par un outil.
// Version du runtime :4.0.30319.42000
//
// Les modifications apportées à ce fichier peuvent provoquer un comportement incorrect et seront perdues si
// le code est régénéré.
// </auto-generated>
//------------------------------------------------------------------------------
using System;
using System.Reflection;
[assembly: System.Reflection.AssemblyCompanyAttribute("JsonReader")]
[assembly: System.Reflection.AssemblyConfigurationAttribute("Debug")]
[assembly: System.Reflection.AssemblyFileVersionAttribute("1.0.0.0")]
[assembly: System.Reflection.AssemblyInformationalVersionAttribute("1.0.0")]
[assembly: System.Reflection.AssemblyProductAttribute("JsonReader")]
[assembly: System.Reflection.AssemblyTitleAttribute("JsonReader")]
[assembly: System.Reflection.AssemblyVersionAttribute("1.0.0.0")]
// Généré par la classe MSBuild WriteCodeFragment.

@ -0,0 +1,11 @@
is_global = true
build_property.TargetFramework = net7.0
build_property.TargetPlatformMinVersion =
build_property.UsingMicrosoftNETSdkWeb =
build_property.ProjectTypeGuids =
build_property.InvariantGlobalization =
build_property.PlatformNeutralAssembly =
build_property.EnforceExtendedAnalyzerRules =
build_property._SupportedPlatformList = Linux,macOS,Windows
build_property.RootNamespace = JsonReader
build_property.ProjectDir = C:\Home\Cours\Projet\MVVM\my\PocketBook_MVVM\MVVM\JsonReader\

@ -0,0 +1,8 @@
// <auto-generated/>
global using global::System;
global using global::System.Collections.Generic;
global using global::System.IO;
global using global::System.Linq;
global using global::System.Net.Http;
global using global::System.Threading;
global using global::System.Threading.Tasks;

@ -0,0 +1,68 @@
{
"format": 1,
"restore": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj": {}
},
"projects": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj",
"projectName": "JsonReader",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}
}

@ -0,0 +1,16 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<RestoreSuccess Condition=" '$(RestoreSuccess)' == '' ">True</RestoreSuccess>
<RestoreTool Condition=" '$(RestoreTool)' == '' ">NuGet</RestoreTool>
<ProjectAssetsFile Condition=" '$(ProjectAssetsFile)' == '' ">$(MSBuildThisFileDirectory)project.assets.json</ProjectAssetsFile>
<NuGetPackageRoot Condition=" '$(NuGetPackageRoot)' == '' ">$(UserProfile)\.nuget\packages\</NuGetPackageRoot>
<NuGetPackageFolders Condition=" '$(NuGetPackageFolders)' == '' ">C:\Users\enzoj\.nuget\packages\;C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages</NuGetPackageFolders>
<NuGetProjectStyle Condition=" '$(NuGetProjectStyle)' == '' ">PackageReference</NuGetProjectStyle>
<NuGetToolVersion Condition=" '$(NuGetToolVersion)' == '' ">6.7.0</NuGetToolVersion>
</PropertyGroup>
<ItemGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<SourceRoot Include="C:\Users\enzoj\.nuget\packages\" />
<SourceRoot Include="C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages\" />
</ItemGroup>
</Project>

@ -0,0 +1,2 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003" />

@ -0,0 +1,74 @@
{
"version": 3,
"targets": {
"net7.0": {}
},
"libraries": {},
"projectFileDependencyGroups": {
"net7.0": []
},
"packageFolders": {
"C:\\Users\\enzoj\\.nuget\\packages\\": {},
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages": {}
},
"project": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj",
"projectName": "JsonReader",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}

@ -0,0 +1,8 @@
{
"version": 2,
"dgSpecHash": "/OrUvUGJdLLZZ18d0j31TG1V37NSHSskWDKFBXj9J5mTMNdJLfDBxqqTHUXHkeocmCpjLlwD86zFcAP48QcP2A==",
"success": true,
"projectFilePath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\JsonReader\\JsonReader.csproj",
"expectedPackageFiles": [],
"logs": []
}

@ -9,6 +9,12 @@ Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wrapper", "Wrapper\Wrapper.
EndProject
Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Model", "Model\Model.csproj", "{F5CDC244-6079-436E-BBA5-FEE9C7D018A6}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Stub", "Stub\Stub.csproj", "{C12D08F4-D2A5-4151-886B-6E291F310D92}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "StubbedDTO", "StubbedDTO\StubbedDTO.csproj", "{0DE51794-39F3-4DCE-9896-959FD2CAC910}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "JsonReader", "JsonReader\JsonReader.csproj", "{8090EA92-E977-4E0A-9B64-F9C8BDCDEAD1}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
@ -29,6 +35,18 @@ Global
{F5CDC244-6079-436E-BBA5-FEE9C7D018A6}.Debug|Any CPU.Build.0 = Debug|Any CPU
{F5CDC244-6079-436E-BBA5-FEE9C7D018A6}.Release|Any CPU.ActiveCfg = Release|Any CPU
{F5CDC244-6079-436E-BBA5-FEE9C7D018A6}.Release|Any CPU.Build.0 = Release|Any CPU
{C12D08F4-D2A5-4151-886B-6E291F310D92}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{C12D08F4-D2A5-4151-886B-6E291F310D92}.Debug|Any CPU.Build.0 = Debug|Any CPU
{C12D08F4-D2A5-4151-886B-6E291F310D92}.Release|Any CPU.ActiveCfg = Release|Any CPU
{C12D08F4-D2A5-4151-886B-6E291F310D92}.Release|Any CPU.Build.0 = Release|Any CPU
{0DE51794-39F3-4DCE-9896-959FD2CAC910}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{0DE51794-39F3-4DCE-9896-959FD2CAC910}.Debug|Any CPU.Build.0 = Debug|Any CPU
{0DE51794-39F3-4DCE-9896-959FD2CAC910}.Release|Any CPU.ActiveCfg = Release|Any CPU
{0DE51794-39F3-4DCE-9896-959FD2CAC910}.Release|Any CPU.Build.0 = Release|Any CPU
{8090EA92-E977-4E0A-9B64-F9C8BDCDEAD1}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{8090EA92-E977-4E0A-9B64-F9C8BDCDEAD1}.Debug|Any CPU.Build.0 = Debug|Any CPU
{8090EA92-E977-4E0A-9B64-F9C8BDCDEAD1}.Release|Any CPU.ActiveCfg = Release|Any CPU
{8090EA92-E977-4E0A-9B64-F9C8BDCDEAD1}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE

@ -1,7 +1,9 @@
<?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"
x:Class="MVVM.Pages.MyLibraryPage">
x:Class="MVVM.Pages.MyLibraryPage"
xmlns:local="clr-namespace:MVVM.Pages"
x:DataType="local:MyLibraryPage">
<!-- Mettre un style-->
<Shell.TitleView>
@ -37,7 +39,7 @@
<Grid Grid.Row="1" ColumnDefinitions="Auto,Auto,*,Auto,Auto">
<Grid.GestureRecognizers>
<TapGestureRecognizer Command="{Binding CommmadNavigation}" CommandParameter="BooksPage"/>
<TapGestureRecognizer Command="{Binding navigationViewModel.CommandNavigation}" CommandParameter="BooksPage" />
</Grid.GestureRecognizers>
<Image Style="{StaticResource IconBibliotheque}" Source="tray_fill" Grid.Column="0"/>
@ -54,9 +56,6 @@
<Label Style="{StaticResource TexteBibliotheque}" Text="En prêt" Grid.Column="1"/>
<Label Style="{StaticResource NombreBibliotheque}" Text="1" Grid.Column="3"/>
<Image Style="{StaticResource ChevronBibliotheque}" Source="chevron_right" Grid.Column="4"/>
<Button Grid.Column="2" Command="{Binding CommandNavigation}" CommandParameter="BooksPage"/>
</Grid>
<Line Grid.Row="4" X1="20" X2="500"/>

@ -4,12 +4,12 @@ namespace MVVM.Pages;
public partial class MyLibraryPage : ContentPage
{
public NavigationViewModel navigationViewModel { get; set;} = new NavigationViewModel();
public MyLibraryPage()
{
InitializeComponent();
BindingContext = new NavigationViewModel();
BindingContext = this;
}
}

@ -14,10 +14,13 @@ namespace MVVM.VmApplicatif
public NavigationViewModel()
{
CommandNavigation = new Command<string>(execute: async (string arg) =>
{
await Shell.Current.GoToAsync("//"+arg);
});
CommandNavigation = new Command<string>(navigate);
}
private async void navigate(string arg)
{
await Shell.Current.GoToAsync("//" + arg);
}
}
}

@ -1 +1 @@
<Devices><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:5</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:6</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device></Devices>
<Devices><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:5</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:6</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:7</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device><Device id="RZ8M81LS77J"><ResultingAbi>arm64-v8a</ResultingAbi><ToolsAbi /><SdkVersion>30</SdkVersion><LongOutput>product:a70qeea;model:SM_A705FN;device:a70q;transport_id:8</LongOutput></Device></Devices>

@ -0,0 +1,49 @@
using System;
using Utils;
namespace Stub
{
static class EnumsMapper
{
public static EnumsMapper<Model.Languages, LibraryDTO.Languages> BiddingsMapper { get; }
= new EnumsMapper<Model.Languages, LibraryDTO.Languages>(
Tuple.Create(Model.Languages.Unknown, LibraryDTO.Languages.Unknown),
Tuple.Create(Model.Languages.French, LibraryDTO.Languages.French),
Tuple.Create(Model.Languages.English, LibraryDTO.Languages.English)
);
public static TModel ToModel<TModel, TDTO>(this TDTO dto) where TModel : Enum
where TDTO : Enum
{
foreach(var prop in typeof(EnumsMapper).GetProperties())
{
if(prop.PropertyType.Equals(typeof(EnumsMapper<TModel, TDTO>)))
{
return (prop.GetValue(null) as EnumsMapper<TModel, TDTO>).GetModel(dto);
}
}
return default(TModel);
}
public static Model.Languages ToModel(this LibraryDTO.Languages dto)
=> ToModel<Model.Languages, LibraryDTO.Languages>(dto);
public static TDTO ToDTO<TModel, TDTO>(this TModel model) where TModel : Enum
where TDTO : Enum
{
foreach(var prop in typeof(EnumsMapper).GetProperties())
{
if(prop.PropertyType.Equals(typeof(EnumsMapper<TModel, TDTO>)))
{
return (prop.GetValue(null) as EnumsMapper<TModel, TDTO>).GetEntity(model);
}
}
return default(TDTO);
}
public static LibraryDTO.Languages ToDTO(this Model.Languages model)
=> ToDTO<Model.Languages, LibraryDTO.Languages>(model);
}
}

@ -0,0 +1,93 @@
using System;
using LibraryDTO;
using Model;
using static Stub.Mapper;
namespace Stub
{
public static class Extensions
{
public static Ratings ToPoco(this RatingsDTO dto)
=> new Ratings() { Average = dto.Average, Count = dto.Count };
public static IEnumerable<Ratings> ToPocos(this IEnumerable<RatingsDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
public static Contributor ToPoco(this ContributorDTO dto)
=> new Contributor { Name = dto.Name, Role = dto.Role };
public static IEnumerable<Contributor> ToPocos(this IEnumerable<ContributorDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
public static Link ToPoco(this LinkDTO dto)
=> new Link { Title = dto.Title, Url = dto.Url };
public static IEnumerable<Link> ToPocos(this IEnumerable<LinkDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
public static Author ToPoco(this AuthorDTO dto)
{
var result = AuthorsMapper.GetT(dto);
if(result == null)
{
result = new Author
{
AlternateNames = dto.AlternateNames,
Bio = dto.Bio,
BirthDate = dto.BirthDate,
DeathDate = dto.DeathDate,
Id = dto.Id,
Links = dto.Links.ToPocos().ToList(),
Name = dto.Name
};
}
return result;
}
public static IEnumerable<Author> ToPocos(this IEnumerable<AuthorDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
public static Work ToPoco(this WorkDTO dto)
{
var result = WorksMapper.GetT(dto);
if(result == null)
{
result = new Work
{
Authors = dto.Authors.ToPocos().ToList(),
Description = dto.Description,
Id = dto.Id,
Ratings = dto.Ratings.ToPoco(),
Subjects = dto.Subjects,
Title = dto.Title
};
}
return result;
}
public static IEnumerable<Work> ToPocos(this IEnumerable<WorkDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
public static Book ToPoco(this BookDTO dto)
{
var result = BooksMapper.GetT(dto);
if(result == null)
{
result = new Book
{
Authors = dto.Authors.ToPocos().ToList(),
Contributors = dto.Contributors.ToPocos().ToList(),
Format = dto.Format,
Id = dto.Id,
ISBN13 = dto.ISBN13,
Language = dto.Language.ToModel(),
NbPages = dto.NbPages,
PublishDate = dto.PublishDate,
Publishers = dto.Publishers,
Series = dto.Series,
Title = dto.Title,
Works = dto.Works.ToPocos().ToList()
};
}
return result;
}
public static IEnumerable<Book> ToPocos(this IEnumerable<BookDTO> dtos)
=> dtos.Select(dto => dto.ToPoco());
}
}

@ -0,0 +1,25 @@
using System;
using static System.Collections.Specialized.BitVector32;
using System.Numerics;
using Utils;
using Model;
using LibraryDTO;
namespace Stub
{
static class Mapper
{
internal static Mapper<Author, AuthorDTO> AuthorsMapper { get; } = new Mapper<Author, AuthorDTO>();
internal static Mapper<Work, WorkDTO> WorksMapper { get; } = new Mapper<Work, WorkDTO>();
internal static Mapper<Book, BookDTO> BooksMapper { get; } = new Mapper<Book, BookDTO>();
internal static void Reset()
{
AuthorsMapper.Reset();
WorksMapper.Reset();
BooksMapper.Reset();
}
}
}

@ -0,0 +1,49 @@
using Model;
using Stub;
namespace StubLib;
public class LibraryStub : ILibraryManager
{
private StubbedDTO.Stub StubDTO { get; set; } = new StubbedDTO.Stub();
public async Task<Author> GetAuthorById(string id)
{
return (await StubDTO.GetAuthorById(id)).ToPoco();
}
public async Task<Tuple<long, IEnumerable<Author>>> GetAuthorsByName(string substring, int index, int count, string sort = "")
{
var result = await StubDTO.GetAuthorsByName(substring, index, count, sort);
return Tuple.Create(result.Item1, result.Item2.ToPocos());
}
public async Task<Book> GetBookById(string id)
{
return (await StubDTO.GetBookById(id)).ToPoco();
}
public async Task<Book> GetBookByISBN(string isbn)
{
return (await StubDTO.GetBookByISBN(isbn)).ToPoco();
}
public async Task<Tuple<long, IEnumerable<Book>>> GetBooksByAuthor(string author, int index, int count, string sort = "")
{
var result = await StubDTO.GetBooksByAuthor(author, index, count, sort);
return Tuple.Create(result.Item1, result.Item2.ToPocos());
}
public async Task<Tuple<long, IEnumerable<Book>>> GetBooksByAuthorId(string authorId, int index, int count, string sort = "")
{
var result = await StubDTO.GetBooksByAuthor(authorId, index, count, sort);
return Tuple.Create(result.Item1, result.Item2.ToPocos());
}
public async Task<Tuple<long, IEnumerable<Book>>> GetBooksByTitle(string title, int index, int count, string sort = "")
{
var result = await StubDTO.GetBooksByTitle(title, index, count, sort);
return Tuple.Create(result.Item1, result.Item2.ToPocos());
}
}

@ -0,0 +1,9 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net7.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
</Project>

@ -0,0 +1,4 @@
// <autogenerated />
using System;
using System.Reflection;
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v7.0", FrameworkDisplayName = ".NET 7.0")]

@ -0,0 +1,23 @@
//------------------------------------------------------------------------------
// <auto-generated>
// Ce code a été généré par un outil.
// Version du runtime :4.0.30319.42000
//
// Les modifications apportées à ce fichier peuvent provoquer un comportement incorrect et seront perdues si
// le code est régénéré.
// </auto-generated>
//------------------------------------------------------------------------------
using System;
using System.Reflection;
[assembly: System.Reflection.AssemblyCompanyAttribute("Stub")]
[assembly: System.Reflection.AssemblyConfigurationAttribute("Debug")]
[assembly: System.Reflection.AssemblyFileVersionAttribute("1.0.0.0")]
[assembly: System.Reflection.AssemblyInformationalVersionAttribute("1.0.0")]
[assembly: System.Reflection.AssemblyProductAttribute("Stub")]
[assembly: System.Reflection.AssemblyTitleAttribute("Stub")]
[assembly: System.Reflection.AssemblyVersionAttribute("1.0.0.0")]
// Généré par la classe MSBuild WriteCodeFragment.

@ -0,0 +1 @@
176f56a89ca17062c0f1f9ef1f5ad1c032cbf9e6

@ -0,0 +1,11 @@
is_global = true
build_property.TargetFramework = net7.0
build_property.TargetPlatformMinVersion =
build_property.UsingMicrosoftNETSdkWeb =
build_property.ProjectTypeGuids =
build_property.InvariantGlobalization =
build_property.PlatformNeutralAssembly =
build_property.EnforceExtendedAnalyzerRules =
build_property._SupportedPlatformList = Linux,macOS,Windows
build_property.RootNamespace = Stub
build_property.ProjectDir = C:\Home\Cours\Projet\MVVM\my\PocketBook_MVVM\MVVM\Stub\

@ -0,0 +1,8 @@
// <auto-generated/>
global using global::System;
global using global::System.Collections.Generic;
global using global::System.IO;
global using global::System.Linq;
global using global::System.Net.Http;
global using global::System.Threading;
global using global::System.Threading.Tasks;

@ -0,0 +1,68 @@
{
"format": 1,
"restore": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj": {}
},
"projects": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj",
"projectName": "Stub",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}
}

@ -0,0 +1,16 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<RestoreSuccess Condition=" '$(RestoreSuccess)' == '' ">True</RestoreSuccess>
<RestoreTool Condition=" '$(RestoreTool)' == '' ">NuGet</RestoreTool>
<ProjectAssetsFile Condition=" '$(ProjectAssetsFile)' == '' ">$(MSBuildThisFileDirectory)project.assets.json</ProjectAssetsFile>
<NuGetPackageRoot Condition=" '$(NuGetPackageRoot)' == '' ">$(UserProfile)\.nuget\packages\</NuGetPackageRoot>
<NuGetPackageFolders Condition=" '$(NuGetPackageFolders)' == '' ">C:\Users\enzoj\.nuget\packages\;C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages</NuGetPackageFolders>
<NuGetProjectStyle Condition=" '$(NuGetProjectStyle)' == '' ">PackageReference</NuGetProjectStyle>
<NuGetToolVersion Condition=" '$(NuGetToolVersion)' == '' ">6.7.0</NuGetToolVersion>
</PropertyGroup>
<ItemGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<SourceRoot Include="C:\Users\enzoj\.nuget\packages\" />
<SourceRoot Include="C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages\" />
</ItemGroup>
</Project>

@ -0,0 +1,2 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003" />

@ -0,0 +1,74 @@
{
"version": 3,
"targets": {
"net7.0": {}
},
"libraries": {},
"projectFileDependencyGroups": {
"net7.0": []
},
"packageFolders": {
"C:\\Users\\enzoj\\.nuget\\packages\\": {},
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages": {}
},
"project": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj",
"projectName": "Stub",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}

@ -0,0 +1,8 @@
{
"version": 2,
"dgSpecHash": "F/Fv1pK/Uf/QGUejAcg9sJOSih+cilxGYgKQaj6q9+Ad6aILUZGfqoxmXKLLDVokKy01TkcqCKKAibPWJ97F3w==",
"success": true,
"projectFilePath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\Stub\\Stub.csproj",
"expectedPackageFiles": [],
"logs": []
}

@ -0,0 +1,9 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net7.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
</Project>

@ -0,0 +1,12 @@
{
"name": "Michel Demuth",
"personal_name": "Michel Demuth",
"last_modified": {
"type": "/type/datetime",
"value": "2008-08-26 02:41:15.604911"
},
"key": "/authors/OL1846639A",
"type": { "key": "/type/author" },
"id": 6527877,
"revision": 2
}

@ -0,0 +1,34 @@
{
"personal_name": "Dick, Philip K.",
"source_records": [ "amazon:8445007327", "bwb:9780722129562", "amazon:0792776232", "ia:pacificpark0000dick", "amazon:2277213799", "amazon:2266163019", "bwb:9798599263227", "amazon:1433276712", "ia:ejonescreoilmond0000dick", "amazon:6051719164", "amazon:6254493632", "amazon:2277117749", "amazon:1987781619", "amazon:1433248239", "amazon:1480594407" ],
"alternate_names": [ "Philip Kindred Dick", "Philip Dick", "Philip Kendred Dick", "Philip K Dick" ],
"bio": "Philip Kindred Dick was an American novelist, short story writer, and essayist whose published work during his lifetime was almost entirely in the science fiction genre. Dick explored sociological, political and metaphysical themes in novels dominated by monopolistic corporations, authoritarian governments, and altered states. In his later works, Dick's thematic focus strongly reflected his personal interest in metaphysics and theology. He often drew upon his own life experiences and addressed the nature of drug abuse, paranoia and schizophrenia, and transcendental experiences in novels such as A Scanner Darkly and VALIS.\r\n\r\nSource and more information: [Wikipedia (EN)](http://en.wikipedia.org/wiki/Philip_K._Dick)",
"type": { "key": "/type/author" },
"death_date": "2 March 1982",
"remote_ids": {
"isni": "0000000121251093",
"wikidata": "Q171091",
"viaf": "27063583"
},
"name": "Philip K. Dick",
"links": [
{
"title": "Wikipedia link to Philip K Dick",
"url": "http://en.wikipedia.org/wiki/Philip_K._Dick",
"type": { "key": "/type/link" }
}
],
"photos": [ 6295259 ],
"birth_date": "16 December 1928",
"key": "/authors/OL274606A",
"latest_revision": 23,
"revision": 23,
"created": {
"type": "/type/datetime",
"value": "2008-04-01T03:28:50.625462"
},
"last_modified": {
"type": "/type/datetime",
"value": "2022-11-29T21:21:41.951561"
}
}

@ -0,0 +1 @@
{"name": "Gilles Goullet", "last_modified": {"type": "/type/datetime", "value": "2008-04-30 08:14:56.482104"}, "key": "/authors/OL3113900A", "type": {"key": "/type/author"}, "id": 11970651, "revision": 1}

@ -0,0 +1,11 @@
{
"name": "H\u00e9l\u00e8ne Collon",
"last_modified": {
"type": "/type/datetime",
"value": "2008-04-30 08:14:56.482104"
},
"key": "/authors/OL3113922A",
"type": { "key": "/type/author" },
"id": 11970257,
"revision": 1
}

@ -0,0 +1,17 @@
{
"name": "Alain Damasio",
"key": "/authors/OL3980331A",
"type": { "key": "/type/author" },
"remote_ids": { "wikidata": "Q2829704" },
"birth_date": "1 August 1969",
"latest_revision": 2,
"revision": 2,
"created": {
"type": "/type/datetime",
"value": "2008-04-30T20:50:18.033121"
},
"last_modified": {
"type": "/type/datetime",
"value": "2022-12-19T19:05:32.693708"
}
}

@ -0,0 +1,36 @@
{
"personal_name": "James S. A. Corey",
"remote_ids": {
"isni": "0000000382626033",
"viaf": "266413968",
"wikidata": "Q6142591"
},
"source_records": [ "amazon:1478933771", "amazon:1528822218", "amazon:1456121650", "bwb:9780356510385", "amazon:0678452547", "bwb:9780356517773" ],
"alternate_names": [ "Daniel Abraham", "Ty Franck", "James S.A. Corey", "James James S. A. Corey" ],
"type": { "key": "/type/author" },
"key": "/authors/OL6982995A",
"entity_type": "org",
"links": [
{
"title": "Source",
"url": "http://www.danielabraham.com/james-s-a-corey/",
"type": { "key": "/type/link" }
}
],
"bio": {
"type": "/type/text",
"value": "James S.A. Corey is the pen name used by collaborators [Daniel Abraham](https://openlibrary.org/authors/OL1427729A/Daniel_Abraham) and [Ty Franck](https://openlibrary.org/authors/OL7523472A/Ty_Franck).\r\n\r\nThe first and last name are taken from Abraham's and Franck's middle names, respectively, and S.A. are the initials of Abraham's daughter."
},
"photos": [ 11112303 ],
"name": "James S. A. Corey",
"latest_revision": 13,
"revision": 13,
"created": {
"type": "/type/datetime",
"value": "2011-10-20T08:06:05.906616"
},
"last_modified": {
"type": "/type/datetime",
"value": "2023-05-18T18:14:26.659278"
}
}

@ -0,0 +1,15 @@
{
"key": "/authors/OL7475792A",
"name": "Ada Palmer",
"type": { "key": "/type/author" },
"latest_revision": 4,
"revision": 4,
"created": {
"type": "/type/datetime",
"value": "2019-03-11T19:38:25.579004"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-12-07T07:11:29.213401"
}
}

@ -0,0 +1 @@
{"name": "Robert Charles Wilson", "created": {"type": "/type/datetime", "value": "2020-05-08T21:00:30.785249"}, "last_modified": {"type": "/type/datetime", "value": "2020-05-08T21:00:30.785249"}, "latest_revision": 1, "key": "/authors/OL7876839A", "type": {"key": "/type/author"}, "revision": 1}

@ -0,0 +1,42 @@
{
"remote_ids": {
"viaf": "59083797",
"wikidata": "Q7934",
"isni": "0000000121347853"
},
"name": "Frank Herbert",
"source_records": [ "amazon:3870703903", "amazon:2253113190", "amazon:1427228493" ],
"alternate_names": [ "Herbert, Frank", "FRANK HERBERT", "Frank HERBERT", "herbert-frank", "frank herbert", "Herbert Frank", "Frank Herbert Dost Korpe", "HERBERT FRANK", "Franck Herbert", "F Herbert" ],
"photos": [ 12194537, 7277115, 10643754 ],
"links": [
{
"url": "http://en.wikipedia.org/wiki/Frank_Herbert",
"type": { "key": "/type/link" },
"title": "Wikipedia English"
},
{
"url": "http://fr.wikipedia.org/wiki/Frank_Herbert",
"type": { "key": "/type/link" },
"title": "Wikipedia France"
}
],
"key": "/authors/OL79034A",
"birth_date": "8 October 1920",
"death_date": "11 February 1986",
"type": { "key": "/type/author" },
"personal_name": "Herbert, Frank.",
"bio": {
"type": "/type/text",
"value": "Real name: Franklin Patrick Herbert Jr."
},
"latest_revision": 15,
"revision": 15,
"created": {
"type": "/type/datetime",
"value": "2008-04-01T03:28:50.625462"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-11-12T11:41:55.357817"
}
}

@ -0,0 +1,16 @@
{
"type": { "key": "/type/author" },
"name": "Frank Herbert",
"key": "/authors/OL9956442A",
"source_records": [ "amazon:2221252306" ],
"latest_revision": 1,
"revision": 1,
"created": {
"type": "/type/datetime",
"value": "2021-11-14T17:07:35.515652"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-11-14T17:07:35.515652"
}
}

@ -0,0 +1,24 @@
{
"publishers": [ "Actes Sud" ],
"title": "L'\u00c9veil du L\u00e9viathan",
"number_of_pages": 624,
"isbn_13": [ "9782330033118" ],
"covers": [ 7412481 ],
"languages": [ { "key": "/languages/fre" } ],
"publish_date": "4 juin 2014",
"key": "/books/OL25910297M",
"publish_places": [ "France" ],
"works": [ { "key": "/works/OL17334140W" } ],
"type": { "key": "/type/edition" },
"source_records": [ "amazon:2330033117" ],
"latest_revision": 5,
"revision": 5,
"created": {
"type": "/type/datetime",
"value": "2016-04-22T11:47:01.838591"
},
"last_modified": {
"type": "/type/datetime",
"value": "2023-02-02T01:19:11.921173"
}
}

@ -0,0 +1,23 @@
{
"publishers": [ "Editions Gallimard" ],
"source_records": [ "amazon:2070793109" ],
"title": "La m\u00e9nagerie de papier",
"identifiers": { "amazon": [ "2070793109" ] },
"isbn_13": [ "9782070793105" ],
"covers": [ 8750266 ],
"created": {
"type": "/type/datetime",
"value": "2019-08-05T10:36:44.503432"
},
"physical_format": "mass market paperback",
"isbn_10": [ "2070793109" ],
"latest_revision": 1,
"key": "/books/OL27258011M",
"last_modified": {
"type": "/type/datetime",
"value": "2019-08-05T10:36:44.503432"
},
"works": [ { "key": "/works/OL20078005W" } ],
"type": { "key": "/type/edition" },
"revision": 1
}

@ -0,0 +1,38 @@
{
"publishers": [ "Le B\u00e9lial'" ],
"subtitle": "Terra Ignota volume 2",
"covers": [ 9376451 ],
"physical_format": "paperback",
"full_title": "Sept redditions : Terra Ignota volume 2",
"key": "/books/OL27989051M",
"authors": [ { "key": "/authors/OL7475792A" } ],
"source_records": [ "amazon:2843449626" ],
"title": "Sept redditions",
"notes": "Source title: Sept redditions: Terra Ignota volume 2 (Roman)",
"number_of_pages": 544,
"publish_date": "May 28, 2020",
"works": [ { "key": "/works/OL19213555W" } ],
"type": { "key": "/type/edition" },
"identifiers": {},
"isbn_10": [ "2843449626" ],
"isbn_13": [ "9782843449628" ],
"classifications": {},
"languages": [ { "key": "/languages/fre" } ],
"contributors": [
{
"name": "Michelle Charrier",
"role": "Translator"
}
],
"series": [ "Terra Ignota #2" ],
"latest_revision": 4,
"revision": 4,
"created": {
"type": "/type/datetime",
"value": "2020-05-02T22:25:18.922926"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-12-07T07:10:56.070304"
}
}

@ -0,0 +1 @@
{"publishers": ["GALLIMARD"], "last_modified": {"type": "/type/datetime", "value": "2020-06-28T05:17:49.626242"}, "source_records": ["amazon:2070469875"], "title": "La trilogie Spin", "notes": {"type": "/type/text", "value": "Source title: La trilogie Spin (Folio SF - XL) (French Edition)"}, "number_of_pages": 1120, "isbn_13": ["9782070469871"], "covers": [10218906], "created": {"type": "/type/datetime", "value": "2020-06-28T05:17:49.626242"}, "physical_format": "paperback", "isbn_10": ["2070469875"], "publish_date": "Jun 02, 2016", "key": "/books/OL28294024M", "authors": [{"key": "/authors/OL7876839A"}, {"key": "/authors/OL3113900A"}], "latest_revision": 1, "works": [{"key": "/works/OL20889233W"}], "type": {"key": "/type/edition"}, "revision": 1}

@ -0,0 +1,32 @@
{
"publishers": [ "Pocket", "POCKET" ],
"source_records": [ "amazon:2266235818" ],
"title": "Le Cycle de Dune Tome 2/Le Messie de Dune",
"notes": {
"type": "/type/text",
"value": "Source title: Le Cycle de Dune Tome 2/Le Messie de Dune (Science-fiction) (French Edition)"
},
"number_of_pages": 336,
"isbn_13": [ "9782266235815" ],
"covers": [ 10328275 ],
"physical_format": "mass market paperback",
"isbn_10": [ "2266235818" ],
"publish_date": "Nov 22, 2012",
"key": "/books/OL28639494M",
"authors": [
{ "key": "/authors/OL79034A" },
{ "key": "/authors/OL1846639A" }
],
"works": [ { "key": "/works/OL893526W" } ],
"type": { "key": "/type/edition" },
"latest_revision": 3,
"revision": 3,
"created": {
"type": "/type/datetime",
"value": "2020-08-05T18:59:33.402965"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-10-24T22:27:33.839388"
}
}

@ -0,0 +1,31 @@
{
"identifiers": { "wikidata": [ "Q81118625" ] },
"title": "Trop semblable \u00e0 l'\u00e9clair",
"publish_date": "2019",
"publishers": [ "Le B\u00e9lial'" ],
"type": { "key": "/type/edition" },
"isbn_13": [ "9782843449581" ],
"series": [ "Terra Ignota #1" ],
"physical_format": "paperback",
"contributors": [
{
"name": "Michelle Charrier",
"role": "Translator"
}
],
"languages": [ { "key": "/languages/fre" } ],
"key": "/books/OL35698073M",
"number_of_pages": 672,
"works": [ { "key": "/works/OL19800093W" } ],
"source_records": [ "amazon:2843449588" ],
"latest_revision": 4,
"revision": 4,
"created": {
"type": "/type/datetime",
"value": "2021-12-07T02:12:00.907076"
},
"last_modified": {
"type": "/type/datetime",
"value": "2022-11-15T15:47:17.497202"
}
}

@ -0,0 +1,32 @@
{
"works": [ { "key": "/works/OL19635836W" } ],
"title": "La Volont\u00e9 de se battre",
"publishers": [ "Le B\u00e9lial'" ],
"publish_date": "2020",
"key": "/books/OL35698083M",
"type": { "key": "/type/edition" },
"identifiers": {},
"covers": [ 12392970 ],
"isbn_13": [ "9782843449758" ],
"classifications": {},
"languages": [ { "key": "/languages/fre" } ],
"contributors": [
{
"name": "Michelle Charrier",
"role": "Translator"
}
],
"number_of_pages": 526,
"series": [ "Terra Ignota #3" ],
"physical_format": "paperback",
"latest_revision": 3,
"revision": 3,
"created": {
"type": "/type/datetime",
"value": "2021-12-07T02:23:07.593997"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-12-07T02:24:57.135563"
}
}

@ -0,0 +1,26 @@
{
"type": { "key": "/type/edition" },
"title": "La Zone du Dehors",
"authors": [ { "key": "/authors/OL3980331A" } ],
"publish_date": "Feb 04, 2021",
"source_records": [ "amazon:2072927528" ],
"number_of_pages": 656,
"publishers": [ "FOLIO", "GALLIMARD" ],
"isbn_10": [ "2072927528" ],
"isbn_13": [ "9782072927522" ],
"physical_format": "pocket book",
"full_title": "La Zone du Dehors",
"covers": [ 12393645 ],
"works": [ { "key": "/works/OL19960903W" } ],
"key": "/books/OL35699439M",
"latest_revision": 1,
"revision": 1,
"created": {
"type": "/type/datetime",
"value": "2021-12-07T22:26:13.534930"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-12-07T22:26:13.534930"
}
}

@ -0,0 +1,31 @@
{
"type": { "key": "/type/edition" },
"title": "Dune - tome 1",
"authors": [
{ "key": "/authors/OL9956442A" },
{ "key": "/authors/OL1846639A" }
],
"publish_date": "Nov 22, 2012",
"source_records": [ "amazon:2266233203" ],
"number_of_pages": 832,
"publishers": [ "POCKET", "Pocket" ],
"isbn_10": [ "2266233203" ],
"isbn_13": [ "9782266233200" ],
"physical_format": "pocket book",
"notes": {
"type": "/type/text",
"value": "Source title: Dune - tome 1 (1)"
},
"works": [ { "key": "/works/OL27962193W" } ],
"key": "/books/OL38218739M",
"latest_revision": 1,
"revision": 1,
"created": {
"type": "/type/datetime",
"value": "2022-05-30T17:18:00.228322"
},
"last_modified": {
"type": "/type/datetime",
"value": "2022-05-30T17:18:00.228322"
}
}

@ -0,0 +1,28 @@
{
"type": { "key": "/type/edition" },
"title": "Total Recall et autres r\u00e9cits",
"authors": [
{ "key": "/authors/OL274606A" },
{ "key": "/authors/OL3113922A" }
],
"publish_date": "Jul 12, 2012",
"source_records": [ "amazon:2070448908" ],
"number_of_pages": 448,
"publishers": [ "FOLIO", "GALLIMARD" ],
"isbn_10": [ "2070448908" ],
"isbn_13": [ "9782070448906" ],
"physical_format": "pocket book",
"works": [ { "key": "/works/OL28185064W" } ],
"key": "/books/OL38586212M",
"covers": [ 13858141 ],
"latest_revision": 3,
"revision": 3,
"created": {
"type": "/type/datetime",
"value": "2022-07-10T01:29:29.296699"
},
"last_modified": {
"type": "/type/datetime",
"value": "2023-04-07T22:44:13.567567"
}
}

@ -0,0 +1,4 @@
// <autogenerated />
using System;
using System.Reflection;
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v7.0", FrameworkDisplayName = ".NET 7.0")]

@ -0,0 +1,23 @@
//------------------------------------------------------------------------------
// <auto-generated>
// Ce code a été généré par un outil.
// Version du runtime :4.0.30319.42000
//
// Les modifications apportées à ce fichier peuvent provoquer un comportement incorrect et seront perdues si
// le code est régénéré.
// </auto-generated>
//------------------------------------------------------------------------------
using System;
using System.Reflection;
[assembly: System.Reflection.AssemblyCompanyAttribute("StubbedDTO")]
[assembly: System.Reflection.AssemblyConfigurationAttribute("Debug")]
[assembly: System.Reflection.AssemblyFileVersionAttribute("1.0.0.0")]
[assembly: System.Reflection.AssemblyInformationalVersionAttribute("1.0.0")]
[assembly: System.Reflection.AssemblyProductAttribute("StubbedDTO")]
[assembly: System.Reflection.AssemblyTitleAttribute("StubbedDTO")]
[assembly: System.Reflection.AssemblyVersionAttribute("1.0.0.0")]
// Généré par la classe MSBuild WriteCodeFragment.

@ -0,0 +1,11 @@
is_global = true
build_property.TargetFramework = net7.0
build_property.TargetPlatformMinVersion =
build_property.UsingMicrosoftNETSdkWeb =
build_property.ProjectTypeGuids =
build_property.InvariantGlobalization =
build_property.PlatformNeutralAssembly =
build_property.EnforceExtendedAnalyzerRules =
build_property._SupportedPlatformList = Linux,macOS,Windows
build_property.RootNamespace = StubbedDTO
build_property.ProjectDir = C:\Home\Cours\Projet\MVVM\my\PocketBook_MVVM\MVVM\StubbedDTO\

@ -0,0 +1,8 @@
// <auto-generated/>
global using global::System;
global using global::System.Collections.Generic;
global using global::System.IO;
global using global::System.Linq;
global using global::System.Net.Http;
global using global::System.Threading;
global using global::System.Threading.Tasks;

@ -0,0 +1,68 @@
{
"format": 1,
"restore": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj": {}
},
"projects": {
"C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj",
"projectName": "StubbedDTO",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}
}

@ -0,0 +1,16 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<RestoreSuccess Condition=" '$(RestoreSuccess)' == '' ">True</RestoreSuccess>
<RestoreTool Condition=" '$(RestoreTool)' == '' ">NuGet</RestoreTool>
<ProjectAssetsFile Condition=" '$(ProjectAssetsFile)' == '' ">$(MSBuildThisFileDirectory)project.assets.json</ProjectAssetsFile>
<NuGetPackageRoot Condition=" '$(NuGetPackageRoot)' == '' ">$(UserProfile)\.nuget\packages\</NuGetPackageRoot>
<NuGetPackageFolders Condition=" '$(NuGetPackageFolders)' == '' ">C:\Users\enzoj\.nuget\packages\;C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages</NuGetPackageFolders>
<NuGetProjectStyle Condition=" '$(NuGetProjectStyle)' == '' ">PackageReference</NuGetProjectStyle>
<NuGetToolVersion Condition=" '$(NuGetToolVersion)' == '' ">6.7.0</NuGetToolVersion>
</PropertyGroup>
<ItemGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<SourceRoot Include="C:\Users\enzoj\.nuget\packages\" />
<SourceRoot Include="C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages\" />
</ItemGroup>
</Project>

@ -0,0 +1,2 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003" />

@ -0,0 +1,74 @@
{
"version": 3,
"targets": {
"net7.0": {}
},
"libraries": {},
"projectFileDependencyGroups": {
"net7.0": []
},
"packageFolders": {
"C:\\Users\\enzoj\\.nuget\\packages\\": {},
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages": {}
},
"project": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj",
"projectName": "StubbedDTO",
"projectPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj",
"packagesPath": "C:\\Users\\enzoj\\.nuget\\packages\\",
"outputPath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\enzoj\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net7.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net7.0": {
"targetAlias": "net7.0",
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\7.0.400\\RuntimeIdentifierGraph.json"
}
}
}
}

@ -0,0 +1,8 @@
{
"version": 2,
"dgSpecHash": "HascnW/Pp4VmHlS7Xa3KnmMKZDW4E64g8FvQ6M1AolqbQgae5DdVMK30qn5hXp/pfmQADyzSCqywRYoF4WIDZw==",
"success": true,
"projectFilePath": "C:\\Home\\Cours\\Projet\\MVVM\\my\\PocketBook_MVVM\\MVVM\\StubbedDTO\\StubbedDTO.csproj",
"expectedPackageFiles": [],
"logs": []
}

@ -0,0 +1,13 @@
{
"summary": {
"average": null,
"count": 0
},
"counts": {
"1": 0,
"2": 0,
"3": 0,
"4": 0,
"5": 0
}
}

@ -0,0 +1 @@
{"summary": {"average": 4.333333333333333, "count": 6, "sortable": 3.114900291576932}, "counts": {"1": 0, "2": 0, "3": 1, "4": 2, "5": 3}}

@ -0,0 +1,14 @@
{
"summary": {
"average": 4.8,
"count": 5,
"sortable": 3.216059213089321
},
"counts": {
"1": 0,
"2": 0,
"3": 0,
"4": 1,
"5": 4
}
}

@ -0,0 +1 @@
{"summary": {"average": 3.6923076923076925, "count": 13, "sortable": 2.9048164811987554}, "counts": {"1": 2, "2": 2, "3": 1, "4": 1, "5": 7}}

@ -0,0 +1,14 @@
{
"summary": {
"average": 4.0,
"count": 1,
"sortable": 2.3286737413641063
},
"counts": {
"1": 0,
"2": 0,
"3": 0,
"4": 1,
"5": 0
}
}

@ -0,0 +1 @@
{"summary": {"average": null, "count": 0}, "counts": {"1": 0, "2": 0, "3": 0, "4": 0, "5": 0}}

@ -0,0 +1 @@
{"summary": {"average": null, "count": 0}, "counts": {"1": 0, "2": 0, "3": 0, "4": 0, "5": 0}}

@ -0,0 +1,14 @@
{
"summary": {
"average": 3.0,
"count": 1,
"sortable": 2.19488243981746
},
"counts": {
"1": 0,
"2": 0,
"3": 1,
"4": 0,
"5": 0
}
}

@ -0,0 +1,13 @@
{
"summary": {
"average": null,
"count": 0
},
"counts": {
"1": 0,
"2": 0,
"3": 0,
"4": 0,
"5": 0
}
}

@ -0,0 +1 @@
{"summary": {"average": 3.9368421052631577, "count": 95, "sortable": 3.721132697535656}, "counts": {"1": 3, "2": 4, "3": 19, "4": 39, "5": 30}}

@ -0,0 +1,22 @@
{
"title": "L'\u00c9veil du L\u00e9viathan",
"key": "/works/OL17334140W",
"authors": [
{
"type": { "key": "/type/author_role" },
"author": { "key": "/authors/OL6982995A" }
}
],
"type": { "key": "/type/work" },
"covers": [ 7412481 ],
"latest_revision": 3,
"revision": 3,
"created": {
"type": "/type/datetime",
"value": "2016-04-22T11:47:01.838591"
},
"last_modified": {
"type": "/type/datetime",
"value": "2023-02-02T01:19:11.921173"
}
}

@ -0,0 +1 @@
{"description": "\"It is a world in which near-instantaneous travel from continent to continent is free to all. In which automation now provides for everybody's basic needs. In which nobody living can remember an actual war. In which it is illegal for three or more people to gather for the practice of religion--but ecumenical \"sensayers\" minister in private, one-on-one. In which gendered language is archaic, and to dress as strongly male or female is, if not exactly illegal, deeply taboo. In which nationality is a fading memory, and most people identify instead with their choice of the seven global Hives, distinguished from one another by their different approaches to the big questions of life. And it is a world in which, unknown to most, the entire social order is teetering on the edge of collapse. Because even in utopia, humans will conspire. And also because something new has arisen: Bridger, the child who can bring inanimate objects to conscious life\"--", "covers": [8429595, 8772829, 9338105, 9376451], "key": "/works/OL19213555W", "authors": [{"author": {"key": "/authors/OL7475792A"}, "type": {"key": "/type/author_role"}}], "title": "Seven Surrenders", "subjects": ["Utopias", "Fiction", "Fiction, science fiction, general", "series:terra_ignota"], "type": {"key": "/type/work"}, "latest_revision": 6, "revision": 6, "created": {"type": "/type/datetime", "value": "2019-03-11T19:38:25.579004"}, "last_modified": {"type": "/type/datetime", "value": "2021-12-07T07:10:56.070304"}}

@ -0,0 +1,24 @@
{
"description": "\"The long years of near-utopia have come to an abrupt end. Peace and order are now figments of the past. Corruption, deception, and insurgency hum within the once steadfast leadership of the Hives, nations without fixed location. The heartbreaking truth is that for decades, even centuries, the leaders of the great Hives bought the world's stability with a trickle of secret murders, mathematically planned. So that no faction could ever dominate. So that the balance held. The Hives' fa\u00e7ade of solidity is the only hope they have for maintaining a semblance of order, for preventing the public from succumbing to the savagery and bloodlust of wars past. But as the great secret becomes more and more widely known, that fa\u00e7ade is slipping away. Just days earlier, the world was a pinnacle of human civilization. Now everyone--Hives and hiveless, Utopians and sensayers, emperors and the downtrodden, warriors and saints--scrambles to prepare for the seemingly inevitable war\"--",
"covers": [ 8544084, 8619055, 10180814 ],
"key": "/works/OL19635836W",
"authors": [
{
"author": { "key": "/authors/OL7475792A" },
"type": { "key": "/type/author_role" }
}
],
"title": "The Will to Battle",
"subjects": [ "Utopias", "Fiction", "Fiction, science fiction, general", "series:terra_ignota" ],
"type": { "key": "/type/work" },
"latest_revision": 7,
"revision": 7,
"created": {
"type": "/type/datetime",
"value": "2019-04-21T08:07:12.674468"
},
"last_modified": {
"type": "/type/datetime",
"value": "2021-12-07T07:08:28.885088"
}
}

@ -0,0 +1 @@
{"description": "\"The world into which Mycroft and Carlyle have been born is as strange to our 21st-century eyes as ours would be to a native of the 1500s. It is a hard-won utopia built on technologically-generated abundance, and also on complex and mandatory systems of labeling all public writing and speech... And in this world, Mycroft and Carlyle have stumbled on the wild card that may destabilize the system: the boy Bridger, who can effortlessly make his wishes come true. Who can, it would seem, bring inanimate objects to life...\"--Book jacket.", "covers": [8600692, 8673756], "key": "/works/OL19800093W", "authors": [{"author": {"key": "/authors/OL7475792A"}, "type": {"key": "/type/author_role"}}], "title": "Too Like the Lightning", "subjects": ["Utopias", "Prisoners", "Twenty-fifth century", "Fiction", "Third millennium", "Fiction, science fiction, general", "series:terra_ignota", "Spirituality", "Magic", "FICTION", "Science Fiction"], "type": {"key": "/type/work"}, "latest_revision": 6, "revision": 6, "created": {"type": "/type/datetime", "value": "2019-06-23T20:50:30.749828"}, "last_modified": {"type": "/type/datetime", "value": "2022-03-12T06:35:56.153258"}}

@ -0,0 +1,22 @@
{
"title": "La zone du dehors",
"key": "/works/OL19960903W",
"authors": [
{
"type": { "key": "/type/author_role" },
"author": { "key": "/authors/OL3980331A" }
}
],
"type": { "key": "/type/work" },
"covers": [ 13472433 ],
"latest_revision": 2,
"revision": 2,
"created": {
"type": "/type/datetime",
"value": "2019-07-17T23:01:16.580404"
},
"last_modified": {
"type": "/type/datetime",
"value": "2023-03-15T21:59:10.897047"
}
}

@ -0,0 +1,16 @@
{
"title": "La m\u00e9nagerie de papier",
"created": {
"type": "/type/datetime",
"value": "2019-08-05T10:36:44.503432"
},
"covers": [ 8750266 ],
"last_modified": {
"type": "/type/datetime",
"value": "2019-08-05T10:36:44.503432"
},
"latest_revision": 1,
"key": "/works/OL20078005W",
"type": { "key": "/type/work" },
"revision": 1
}

@ -0,0 +1 @@
{"title": "La trilogie Spin", "created": {"type": "/type/datetime", "value": "2020-06-28T05:17:49.626242"}, "covers": [10218906], "last_modified": {"type": "/type/datetime", "value": "2020-06-28T05:17:49.626242"}, "latest_revision": 1, "key": "/works/OL20889233W", "authors": [{"type": {"key": "/type/author_role"}, "author": {"key": "/authors/OL7876839A"}}, {"type": {"key": "/type/author_role"}, "author": {"key": "/authors/OL3113900A"}}], "type": {"key": "/type/work"}, "revision": 1}

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

Loading…
Cancel
Save