initial commit

This commit is contained in:
Mahri Ilmedova 2022-10-27 17:48:42 +05:00
commit 63ba54535c
386 changed files with 106970 additions and 0 deletions

35
.vscode/launch.json vendored Normal file
View File

@ -0,0 +1,35 @@
{
"version": "0.2.0",
"configurations": [
{
// Use IntelliSense to find out which attributes exist for C# debugging
// Use hover for the description of the existing attributes
// For further information visit https://github.com/OmniSharp/omnisharp-vscode/blob/master/debugger-launchjson.md
"name": ".NET Core Launch (web)",
"type": "coreclr",
"request": "launch",
"preLaunchTask": "build",
// If you have changed target frameworks, make sure to update the program path.
"program": "${workspaceFolder}/bin/Debug/net6.0/birzha-contracts.dll",
"args": [],
"cwd": "${workspaceFolder}",
"stopAtEntry": false,
// Enable launching a web browser when ASP.NET Core starts. For more information: https://aka.ms/VSCode-CS-LaunchJson-WebBrowser
"serverReadyAction": {
"action": "openExternally",
"pattern": "\\bNow listening on:\\s+(https?://\\S+)"
},
"env": {
"ASPNETCORE_ENVIRONMENT": "Development"
},
"sourceFileMap": {
"/Views": "${workspaceFolder}/Views"
}
},
{
"name": ".NET Core Attach",
"type": "coreclr",
"request": "attach"
}
]
}

41
.vscode/tasks.json vendored Normal file
View File

@ -0,0 +1,41 @@
{
"version": "2.0.0",
"tasks": [
{
"label": "build",
"command": "dotnet",
"type": "process",
"args": [
"build",
"${workspaceFolder}/birzha-contracts.csproj",
"/property:GenerateFullPaths=true",
"/consoleloggerparameters:NoSummary"
],
"problemMatcher": "$msCompile"
},
{
"label": "publish",
"command": "dotnet",
"type": "process",
"args": [
"publish",
"${workspaceFolder}/birzha-contracts.csproj",
"/property:GenerateFullPaths=true",
"/consoleloggerparameters:NoSummary"
],
"problemMatcher": "$msCompile"
},
{
"label": "watch",
"command": "dotnet",
"type": "process",
"args": [
"watch",
"run",
"--project",
"${workspaceFolder}/birzha-contracts.csproj"
],
"problemMatcher": "$msCompile"
}
]
}

View File

@ -0,0 +1,178 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Rendering;
using Microsoft.EntityFrameworkCore;
using birzha_contracts.Models;
using System.Net.Http;
using Newtonsoft.Json;
using System.Text;
namespace birzha_contracts.Controllers
{
public class ContractsController : Controller
{
private readonly MvcContractContext _context;
private static readonly HttpClient client = new HttpClient();
public ContractsController(MvcContractContext context)
{
_context = context;
}
public async Task<IActionResult> Push(){
var contracts = await _context.Contract.Take(10).ToListAsync();
var data = JsonConvert.SerializeObject(contracts);
var content = new StringContent(data.ToString(), Encoding.UTF8, "application/json");
var response = await client.PostAsync("http://127.0.0.1:8000/api/contract/import", content);
ViewData["response"] = await response.Content.ReadAsStringAsync();
return View();
}
// GET: Contracts
public async Task<IActionResult> Index()
{
return _context.Contract != null ?
View(await _context.Contract.Take(1000).ToListAsync()) :
Problem("Entity set 'MvcContractContext.Contract' is null.");
}
// GET: Contracts/Details/5
public async Task<IActionResult> Details(long? id)
{
if (id == null || _context.Contract == null)
{
return NotFound();
}
var contract = await _context.Contract
.FirstOrDefaultAsync(m => m.ID == id);
if (contract == null)
{
return NotFound();
}
return View(contract);
}
// GET: Contracts/Create
public IActionResult Create()
{
return View();
}
// POST: Contracts/Create
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<IActionResult> Create([Bind("ID,InputNumber,InputDate,RegNumber,RegDate,MarkerSpec,Workflow_ID,Note,Remark")] Contract contract)
{
if (ModelState.IsValid)
{
_context.Add(contract);
await _context.SaveChangesAsync();
return RedirectToAction(nameof(Index));
}
return View(contract);
}
// GET: Contracts/Edit/5
public async Task<IActionResult> Edit(long? id)
{
if (id == null || _context.Contract == null)
{
return NotFound();
}
var contract = await _context.Contract.FindAsync(id);
if (contract == null)
{
return NotFound();
}
return View(contract);
}
// POST: Contracts/Edit/5
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<IActionResult> Edit(long id, [Bind("ID,InputNumber,InputDate,RegNumber,RegDate,MarkerSpec,Workflow_ID,Note,Remark")] Contract contract)
{
if (id != contract.ID)
{
return NotFound();
}
if (ModelState.IsValid)
{
try
{
_context.Update(contract);
await _context.SaveChangesAsync();
}
catch (DbUpdateConcurrencyException)
{
if (!ContractExists(contract.ID))
{
return NotFound();
}
else
{
throw;
}
}
return RedirectToAction(nameof(Index));
}
return View(contract);
}
// GET: Contracts/Delete/5
public async Task<IActionResult> Delete(long? id)
{
if (id == null || _context.Contract == null)
{
return NotFound();
}
var contract = await _context.Contract
.FirstOrDefaultAsync(m => m.ID == id);
if (contract == null)
{
return NotFound();
}
return View(contract);
}
// POST: Contracts/Delete/5
[HttpPost, ActionName("Delete")]
[ValidateAntiForgeryToken]
public async Task<IActionResult> DeleteConfirmed(long id)
{
if (_context.Contract == null)
{
return Problem("Entity set 'MvcContractContext.Contract' is null.");
}
var contract = await _context.Contract.FindAsync(id);
if (contract != null)
{
_context.Contract.Remove(contract);
}
await _context.SaveChangesAsync();
return RedirectToAction(nameof(Index));
}
private bool ContractExists(long id)
{
return (_context.Contract?.Any(e => e.ID == id)).GetValueOrDefault();
}
}
}

View File

@ -0,0 +1,31 @@
using System.Diagnostics;
using Microsoft.AspNetCore.Mvc;
using birzha_contracts.Models;
namespace birzha_contracts.Controllers;
public class HomeController : Controller
{
private readonly ILogger<HomeController> _logger;
public HomeController(ILogger<HomeController> logger)
{
_logger = logger;
}
public IActionResult Index()
{
return View();
}
public IActionResult Privacy()
{
return View();
}
[ResponseCache(Duration = 0, Location = ResponseCacheLocation.None, NoStore = true)]
public IActionResult Error()
{
return View(new ErrorViewModel { RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier });
}
}

View File

@ -0,0 +1,23 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.EntityFrameworkCore;
using birzha_contracts.Models;
public class MvcContractContext : DbContext
{
public MvcContractContext (DbContextOptions<MvcContractContext> options)
: base(options)
{
}
protected override void OnModelCreating(ModelBuilder builder)
{
builder.Entity<Contract>(entity => {
entity.ToTable("tContract");
});
}
public DbSet<birzha_contracts.Models.Contract> Contract { get; set; } = default!;
}

21
Models/Contract.cs Normal file
View File

@ -0,0 +1,21 @@
namespace birzha_contracts.Models;
public class Contract
{
public long ID { get; set; }
public string? InputNumber { get; set; }
public DateTime InputDate { get; set; }
public DateTime? RegDate { get; set; }
public Int32? MarkerSpec { get; set; }
public Int64? Workflow_ID { get; set; }
public string? Note { get; set; }
public string? Remark { get; set; }
}

8
Models/ErrorViewModel.cs Normal file
View File

@ -0,0 +1,8 @@
namespace birzha_contracts.Models;
public class ErrorViewModel
{
public string? RequestId { get; set; }
public bool ShowRequestId => !string.IsNullOrEmpty(RequestId);
}

31
Program.cs Normal file
View File

@ -0,0 +1,31 @@
using Microsoft.EntityFrameworkCore;
using Microsoft.Extensions.DependencyInjection;
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddDbContext<MvcContractContext>(options =>
options.UseSqlServer(builder.Configuration.GetConnectionString("MvcContractContext") ?? throw new InvalidOperationException("Connection string 'MvcContractContext' not found.")));
builder.Services.AddControllersWithViews();
var app = builder.Build();
if (!app.Environment.IsDevelopment())
{
app.UseExceptionHandler("/Home/Error");
app.UseHsts();
}
app.UseHttpsRedirection();
app.UseStaticFiles();
app.UseRouting();
app.UseAuthorization();
app.MapControllerRoute(
name: "default",
pattern: "{controller=Home}/{action=Index}/{id?}");
app.Run();

View File

@ -0,0 +1,28 @@
{
"iisSettings": {
"windowsAuthentication": false,
"anonymousAuthentication": true,
"iisExpress": {
"applicationUrl": "http://localhost:27169",
"sslPort": 44346
}
},
"profiles": {
"birzha_contracts": {
"commandName": "Project",
"dotnetRunMessages": true,
"launchBrowser": true,
"applicationUrl": "https://localhost:7185;http://localhost:5104",
"environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development"
}
},
"IIS Express": {
"commandName": "IISExpress",
"launchBrowser": true,
"environmentVariables": {
"ASPNETCORE_ENVIRONMENT": "Development"
}
}
}
}

View File

@ -0,0 +1,63 @@
@model birzha_contracts.Models.Contract
@{
ViewData["Title"] = "Create";
}
<h1>Create</h1>
<h4>Contract</h4>
<hr />
<div class="row">
<div class="col-md-4">
<form asp-action="Create">
<div asp-validation-summary="ModelOnly" class="text-danger"></div>
<div class="form-group">
<label asp-for="InputNumber" class="control-label"></label>
<input asp-for="InputNumber" class="form-control" />
<span asp-validation-for="InputNumber" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="InputDate" class="control-label"></label>
<input asp-for="InputDate" class="form-control" />
<span asp-validation-for="InputDate" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="RegDate" class="control-label"></label>
<input asp-for="RegDate" class="form-control" />
<span asp-validation-for="RegDate" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="MarkerSpec" class="control-label"></label>
<input asp-for="MarkerSpec" class="form-control" />
<span asp-validation-for="MarkerSpec" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Workflow_ID" class="control-label"></label>
<input asp-for="Workflow_ID" class="form-control" />
<span asp-validation-for="Workflow_ID" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Note" class="control-label"></label>
<input asp-for="Note" class="form-control" />
<span asp-validation-for="Note" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Remark" class="control-label"></label>
<input asp-for="Remark" class="form-control" />
<span asp-validation-for="Remark" class="text-danger"></span>
</div>
<div class="form-group">
<input type="submit" value="Create" class="btn btn-primary" />
</div>
</form>
</div>
</div>
<div>
<a asp-action="Index">Back to List</a>
</div>
@section Scripts {
@{await Html.RenderPartialAsync("_ValidationScriptsPartial");}
}

View File

@ -0,0 +1,63 @@
@model birzha_contracts.Models.Contract
@{
ViewData["Title"] = "Delete";
}
<h1>Delete</h1>
<h3>Are you sure you want to delete this?</h3>
<div>
<h4>Contract</h4>
<hr />
<dl class="row">
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.InputNumber)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.InputNumber)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.InputDate)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.InputDate)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.RegDate)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.RegDate)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.MarkerSpec)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.MarkerSpec)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Workflow_ID)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Workflow_ID)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Note)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Note)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Remark)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Remark)
</dd>
</dl>
<form asp-action="Delete">
<input type="hidden" asp-for="ID" />
<input type="submit" value="Delete" class="btn btn-danger" /> |
<a asp-action="Index">Back to List</a>
</form>
</div>

View File

@ -0,0 +1,60 @@
@model birzha_contracts.Models.Contract
@{
ViewData["Title"] = "Details";
}
<h1>Details</h1>
<div>
<h4>Contract</h4>
<hr />
<dl class="row">
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.InputNumber)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.InputNumber)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.InputDate)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.InputDate)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.RegDate)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.RegDate)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.MarkerSpec)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.MarkerSpec)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Workflow_ID)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Workflow_ID)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Note)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Note)
</dd>
<dt class = "col-sm-2">
@Html.DisplayNameFor(model => model.Remark)
</dt>
<dd class = "col-sm-10">
@Html.DisplayFor(model => model.Remark)
</dd>
</dl>
</div>
<div>
<a asp-action="Edit" asp-route-id="@Model?.ID">Edit</a> |
<a asp-action="Index">Back to List</a>
</div>

View File

@ -0,0 +1,64 @@
@model birzha_contracts.Models.Contract
@{
ViewData["Title"] = "Edit";
}
<h1>Edit</h1>
<h4>Contract</h4>
<hr />
<div class="row">
<div class="col-md-4">
<form asp-action="Edit">
<div asp-validation-summary="ModelOnly" class="text-danger"></div>
<input type="hidden" asp-for="ID" />
<div class="form-group">
<label asp-for="InputNumber" class="control-label"></label>
<input asp-for="InputNumber" class="form-control" />
<span asp-validation-for="InputNumber" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="InputDate" class="control-label"></label>
<input asp-for="InputDate" class="form-control" />
<span asp-validation-for="InputDate" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="RegDate" class="control-label"></label>
<input asp-for="RegDate" class="form-control" />
<span asp-validation-for="RegDate" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="MarkerSpec" class="control-label"></label>
<input asp-for="MarkerSpec" class="form-control" />
<span asp-validation-for="MarkerSpec" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Workflow_ID" class="control-label"></label>
<input asp-for="Workflow_ID" class="form-control" />
<span asp-validation-for="Workflow_ID" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Note" class="control-label"></label>
<input asp-for="Note" class="form-control" />
<span asp-validation-for="Note" class="text-danger"></span>
</div>
<div class="form-group">
<label asp-for="Remark" class="control-label"></label>
<input asp-for="Remark" class="form-control" />
<span asp-validation-for="Remark" class="text-danger"></span>
</div>
<div class="form-group">
<input type="submit" value="Save" class="btn btn-primary" />
</div>
</form>
</div>
</div>
<div>
<a asp-action="Index">Back to List</a>
</div>
@section Scripts {
@{await Html.RenderPartialAsync("_ValidationScriptsPartial");}
}

View File

@ -0,0 +1,71 @@
@model IEnumerable<birzha_contracts.Models.Contract>
@{
ViewData["Title"] = "Index";
}
<h1>Index</h1>
<p>
<a asp-action="Create">Create New</a>
</p>
<table class="table">
<thead>
<tr>
<th>
@Html.DisplayNameFor(model => model.InputNumber)
</th>
<th>
@Html.DisplayNameFor(model => model.InputDate)
</th>
<th>
@Html.DisplayNameFor(model => model.RegDate)
</th>
<th>
@Html.DisplayNameFor(model => model.MarkerSpec)
</th>
<th>
@Html.DisplayNameFor(model => model.Workflow_ID)
</th>
<th>
@Html.DisplayNameFor(model => model.Note)
</th>
<th>
@Html.DisplayNameFor(model => model.Remark)
</th>
<th>Action</th>
</tr>
</thead>
<tbody>
@foreach (var item in Model) {
<tr>
<td>
@Html.DisplayFor(modelItem => item.InputNumber)
</td>
<td>
@Html.DisplayFor(modelItem => item.InputDate)
</td>
<td>
@Html.DisplayFor(modelItem => item.RegDate)
</td>
<td>
@Html.DisplayFor(modelItem => item.MarkerSpec)
</td>
<td>
@Html.DisplayFor(modelItem => item.Workflow_ID)
</td>
<td>
@Html.DisplayFor(modelItem => item.Note)
</td>
<td>
@Html.DisplayFor(modelItem => item.Remark)
</td>
<td>
<a asp-action="Edit" asp-route-id="@item.ID">Edit</a> <br>
<a asp-action="Details" asp-route-id="@item.ID">Details</a> <br>
<a asp-action="Delete" asp-route-id="@item.ID">Delete</a>
</td>
</tr>
}
</tbody>
</table>

View File

@ -0,0 +1,8 @@
@{
ViewData["Title"] = "Push";
var response = ViewData["response"];
}
<h1>Push succeded</h1>
<p>@response</p>

8
Views/Home/Index.cshtml Normal file
View File

@ -0,0 +1,8 @@
@{
ViewData["Title"] = "Home Page";
}
<div class="text-center">
<h1 class="display-4">Welcome</h1>
<p>Learn about <a href="https://docs.microsoft.com/aspnet/core">building Web apps with ASP.NET Core</a>.</p>
</div>

View File

@ -0,0 +1,6 @@
@{
ViewData["Title"] = "Privacy Policy";
}
<h1>@ViewData["Title"]</h1>
<p>Use this page to detail your site's privacy policy.</p>

25
Views/Shared/Error.cshtml Normal file
View File

@ -0,0 +1,25 @@
@model ErrorViewModel
@{
ViewData["Title"] = "Error";
}
<h1 class="text-danger">Error.</h1>
<h2 class="text-danger">An error occurred while processing your request.</h2>
@if (Model.ShowRequestId)
{
<p>
<strong>Request ID:</strong> <code>@Model.RequestId</code>
</p>
}
<h3>Development Mode</h3>
<p>
Swapping to <strong>Development</strong> environment will display more detailed information about the error that occurred.
</p>
<p>
<strong>The Development environment shouldn't be enabled for deployed applications.</strong>
It can result in displaying sensitive information from exceptions to end users.
For local debugging, enable the <strong>Development</strong> environment by setting the <strong>ASPNETCORE_ENVIRONMENT</strong> environment variable to <strong>Development</strong>
and restarting the app.
</p>

View File

@ -0,0 +1,49 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>@ViewData["Title"] - birzha_contracts</title>
<link rel="stylesheet" href="~/lib/bootstrap/dist/css/bootstrap.min.css" />
<link rel="stylesheet" href="~/css/site.css" asp-append-version="true" />
<link rel="stylesheet" href="~/birzha_contracts.styles.css" asp-append-version="true" />
</head>
<body>
<header>
<nav class="navbar navbar-expand-sm navbar-toggleable-sm navbar-light bg-white border-bottom box-shadow mb-3">
<div class="container-fluid">
<a class="navbar-brand" asp-area="" asp-controller="Home" asp-action="Index">birzha_contracts</a>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target=".navbar-collapse" aria-controls="navbarSupportedContent"
aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="navbar-collapse collapse d-sm-inline-flex justify-content-between">
<ul class="navbar-nav flex-grow-1">
<li class="nav-item">
<a class="nav-link text-dark" asp-area="" asp-controller="Home" asp-action="Index">Home</a>
</li>
<li class="nav-item">
<a class="nav-link text-dark" asp-area="" asp-controller="Home" asp-action="Privacy">Privacy</a>
</li>
</ul>
</div>
</div>
</nav>
</header>
<div class="p-3">
<main role="main" class="pb-3">
@RenderBody()
</main>
</div>
<footer class="border-top footer text-muted">
<div class="container">
&copy; 2022 - birzha_contracts - <a asp-area="" asp-controller="Home" asp-action="Privacy">Privacy</a>
</div>
</footer>
<script src="~/lib/jquery/dist/jquery.min.js"></script>
<script src="~/lib/bootstrap/dist/js/bootstrap.bundle.min.js"></script>
<script src="~/js/site.js" asp-append-version="true"></script>
@await RenderSectionAsync("Scripts", required: false)
</body>
</html>

View File

@ -0,0 +1,48 @@
/* Please see documentation at https://docs.microsoft.com/aspnet/core/client-side/bundling-and-minification
for details on configuring this project to bundle and minify static web assets. */
a.navbar-brand {
white-space: normal;
text-align: center;
word-break: break-all;
}
a {
color: #0077cc;
}
.btn-primary {
color: #fff;
background-color: #1b6ec2;
border-color: #1861ac;
}
.nav-pills .nav-link.active, .nav-pills .show > .nav-link {
color: #fff;
background-color: #1b6ec2;
border-color: #1861ac;
}
.border-top {
border-top: 1px solid #e5e5e5;
}
.border-bottom {
border-bottom: 1px solid #e5e5e5;
}
.box-shadow {
box-shadow: 0 .25rem .75rem rgba(0, 0, 0, .05);
}
button.accept-policy {
font-size: 1rem;
line-height: inherit;
}
.footer {
position: absolute;
bottom: 0;
width: 100%;
white-space: nowrap;
line-height: 60px;
}

View File

@ -0,0 +1,2 @@
<script src="~/lib/jquery-validation/dist/jquery.validate.min.js"></script>
<script src="~/lib/jquery-validation-unobtrusive/jquery.validate.unobtrusive.min.js"></script>

View File

@ -0,0 +1,3 @@
@using birzha_contracts
@using birzha_contracts.Models
@addTagHelper *, Microsoft.AspNetCore.Mvc.TagHelpers

3
Views/_ViewStart.cshtml Normal file
View File

@ -0,0 +1,3 @@
@{
Layout = "_Layout";
}

View File

@ -0,0 +1,8 @@
{
"Logging": {
"LogLevel": {
"Default": "Information",
"Microsoft.AspNetCore": "Warning"
}
}
}

12
appsettings.json Normal file
View File

@ -0,0 +1,12 @@
{
"Logging": {
"LogLevel": {
"Default": "Information",
"Microsoft.AspNetCore": "Warning"
}
},
"AllowedHosts": "*",
"ConnectionStrings": {
"MvcContractContext": "Server=localhost;Database=clmDB;User Id=sa;Password=Qazwsx12"
}
}

BIN
bin.zip Normal file

Binary file not shown.

BIN
bin/Debug/net6.0/Humanizer.dll Executable file

Binary file not shown.

Binary file not shown.

BIN
bin/Debug/net6.0/MessagePack.dll Executable file

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

BIN
bin/Debug/net6.0/NuGet.Common.dll Executable file

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

BIN
bin/Debug/net6.0/Quartz.dll Executable file

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

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