Dibix.Http.Client 1.3.26

dotnet add package Dibix.Http.Client --version 1.3.26
NuGet\Install-Package Dibix.Http.Client -Version 1.3.26
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="Dibix.Http.Client" Version="1.3.26" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add Dibix.Http.Client --version 1.3.26
#r "nuget: Dibix.Http.Client, 1.3.26"
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
// Install Dibix.Http.Client as a Cake Addin
#addin nuget:?package=Dibix.Http.Client&version=1.3.26

// Install Dibix.Http.Client as a Cake Tool
#tool nuget:?package=Dibix.Http.Client&version=1.3.26

Dibix

Seamlessly create use case oriented REST APIs based on T-SQL stored procedures.

Build Status Test Status Code coverage

Packages

Package NuGet
Dibix Dibix
Dibix.Dapper Dibix.Dapper
Dibix.Http.Client Dibix.Http.Client
Dibix.Http.Server Dibix.Http.Server
Dibix.Sdk Dibix.Sdk
Dibix.Testing Dibix.Testing
Dibix.Worker.Abstractions Dibix.Worker.Abstractions

Background

The aim of Dibix is to rapidly create use case oriented REST APIs without writing any boilerplate code, unlike the general approach of designing ASP<span>.</span>NET APIs by writing controllers and actions. It strictly focuses on a hand-written T-SQL stored procedure, which is described with a bit of metadata markup. The APIs and contracts involved are specified in a declarative JSON format. Basically, each URL defined in an API endpoint results in invoking the SQL stored procedure, materializing the relational result into a hierarchical result and then return that to the client.

Getting started

Creating a project

Dibix follows a database first approach therefore most of the work is done in a SQL server database project. This is where you create use case oriented stored procedures which will later turn into working REST APIs.<br/> We currently offer to split your artifacts into two separate projects:

  • Component.Database (DDL)<br/> Contains DDL (Data definition language).<br/> We consider this the default behavior of a database project, where tables, stored procedures, etc. are defined and its intention is to publish these database artifacts to the target database at some point.
  • Component.Database.DML (DML)<br/> Contains DML (Data manipulation language).<br/> This project should contain only stored procedures. These will not be published to the target database and instead their statement body will be extracted and compiled into an assembly.

Since DDL gets published at the target database, this means that basically any simple T-SQL statement will end up inside a stored procedure. So far we don't have an exact idea if this is good or bad. The advantage of DDL over DML is that DDL can be easily devop'd at the customer site using SSMS, whereas the DML is compiled into an assembly and therefore harder to patch, especially during development.

Configuring the project

Dibix provides MSBuild targets to integrate it seamlessly into the database project build pipeline. The idea is to install the Dibix.Sdk NuGet package into your project, which will automatically add the necessary imports.<br/> Unfortunately NuGet is not supported in database projects (yet?). Therefore the import has to happen manually. Please check if there is any existing documentation in the product you are working on or ask me for assistance.

Creating a REST API

In this walkthrough, we try to create the following endpoints, that make up a RESTful API:<br /> | Number | Method | URL | Description | | - | - | - | - | | GetPersons | GET | api/Person|Get a list of persons | | GetPerson | GET | api/Person/{personId} | Get details of a person | | CreatePerson | POST | api/Person | Create a person | | UpdatePerson | PUT | api/Person/{personId} | Update a person | | UpdatePersonName | PATCH | api/Person/{personId}/Name | Update the name of a person (partial update) | | DeletePersons | DELETE | api/Person?personIds={personIds} | Delete multiple persons |

Contracts

  • Ensure, that there is a folder named "Contracts" at the root of the project
  • Create a new .json file named "Person.json" with the following content:
{
  "AccessRights": [
    { "Read": 1 },
    { "Write": 2 },
    { "Execute": 4 }
  ],
  "Gender": [
    "Unsure",
    "Male",
    "Female"
  ],
  "BankAccount": {
    "Id": "uuid",
    "Name": "string"
  },
  "PersonInfo": {
    "Id": {
      "type": "int32",
      "isPartOfKey": "true"
    },
    "Name": "string"
  },
  "PersonDetail": {
    "Id": {
      "type": "int32",
      "isPartOfKey": "true"
    },
    "Name": "string",
    "Gender": "Gender",
    "AccessRights": "AccessRights",
    "BankAccounts": "BankAccounts*",
    "PetId": "int64?"
  },
  "CreatePersonRequest": {
    "Name": "string",
    "Gender": "Gender",
    "AccessRights": "AccessRights",
    "PetId": "int64?"
  },
  "Pet":{
    "Name": "string",
    "Kind": "byte"
  },
  "UpdatePersonRequest": {
    "Name": "string",
    "Gender": "Gender",
    "AccessRights": "AccessRights",
    "Pets": "Pet*"
  }
}

The previous example demonstrates the following things:

  • Flagged enums (AccessRights)
  • Unflagged enums (Gender)
  • Primitive types (uuid, string, int32, int64)
  • Contract references (#Gender, #AccessRights #BankAccounts; always prefixed with '#')
  • Array properties (#BankAccounts*; always suffixed with '*')
  • Primary keys ('isPartOfKey')

User-defined types

To pass in multiple ids for the 'DeletePerson' endpoint, we need to create a user-defined table type. Create a new .sql file name 'udt_intset.sql' with the following content:

-- @Name IdSet
CREATE TYPE [dbo].[udt_intset] AS TABLE
(
  [id] INT NOT NULL PRIMARY KEY
)

To pass in multiple items of Pet to the UpdatePerson endpoint, we need another user-defined table type. Create a new .sql file name 'udt_petset.sql' with the following content:

-- @Name PetSet
CREATE TYPE [dbo].[udt_petset] AS TABLE
(
  [position] TINYINT      NOT NULL PRIMARY KEY
, [type]     TINYINT      NOT NULL
, [name]     NVARCHAR(50) NOT NULL
)

HTTP endpoints

  • Ensure, that there is a folder named "Endpoints" at the root of the project
  • Create a new .json file named "Person.json" with the following content:
{
  "Person": [
    {
      "method": "GET",
      "target": "GetPersons"
    },
    {
      "method": "GET",
      "target": "GetPerson",
      "childRoute": "{personId}"
    },
    {
      "method": "POST",
      "target": "CreatePerson",
      "childRoute": "{personId}",
      "body": "CreatePersonRequest",
      "params": {
        "accessrights": "BODY.Rights"
      }
    },
    {
      "method": "PUT",
      "target": "CreatePerson",
      "childRoute": "{personId}",
      "body": "UpdatePersonRequest",
      "params": {
        "pets": {
          "source": "BODY.Pets",
          "items": {
            "position": "ITEM.$INDEX",
            "type": "ITEM.Kind"
          }
        }
      }
    },
    {
      "method": "PATCH",
      "target": "UpdatePersonName",
      "childRoute": "{personId}/Name/{name}"
    },
    {
      "method": "DELETE",
      "target": "DeletePersons"
    }
  ]
}

Stored procedures

In the following sections, each endpoint is implemented using a stored procedure. Each procedure is decorated with a few metadata properties inside T-SQL comments in the header.

GetPersons
Stored Procedures\getpersons.sql
-- @Name GetPersons
-- @Return PersonInfo
CREATE PROCEDURE [dbo].[getpersons]
AS
    SELECT [id]   = [p].[personid]
         , [name] = [p].[name]
    FROM (VALUES (1, N'Luke')
               , (2, N'Maria')) AS [p]([personid], [name])
Remarks

The previous example describes two metadata properties:

  • @Name controls the name of the target
  • @Return describes an output.<br />For each SELECT a @Return hint has to be defined. The @Return property has several sub properties. In the previous statement we rely on the default which is equivalent to 'ClrTypes:PersonInfo Mode:Multiple'. This means, that multiple rows are returned and each should be mapped to the 'PersonInfo' contract.
HTTP request
GET /api/Person
HTTP response body
[
  {
    "id": 1,
    "name": "Luke"
  },
  {
    "id": 2,
    "name": "Maria"
  }
]
GetPerson
Stored Procedures\getperson.sql
-- @Name GetPerson
-- @Return ClrTypes:PersonDetail;BankAccount SplitOn:id Mode:Single
CREATE PROCEDURE [dbo].[getperson] @personid INT
AS
    SELECT [id]           = [p].[personid]
         , [name]         = [p].[name]
         , [gender]       = [p].[gender]
         , [accessrights] = [p].[accessrights]
         , [petid]        = [p].[petid]
         , [id]           = [b].[bankaccountid]
         , [name]         = [b].[name]
    FROM (VALUES (1, N'Luke',  1 /* Male */,   7 /* All */,  10)
               , (2, N'Maria', 2 /* Female */, 1 /* Read */, NULL)) AS [p]([personid], [name], [gender], [accessrights], [petid])
    LEFT JOIN (VALUES (100, N'Personal', 1)
                    , (101, N'Savings', 1)) AS [b]([bankaccountid], [name], [personid]) ON [p].[personid] = [b].[personid]
    WHERE [p].[personid] = @personid
Remarks

The previous sample is a bit trickier. Here we expect a single result of the 'PersonDetail' contract. The related entity 'BankAccount' is loaded within the same query. This requires that two entity contracts are specified for the 'ClrTypes' property combined with the ';' separator. The 'SplitOn' is also required to mark where the next related entity starts. In this case 'id' is the bank account id column. If you have more related entities, the split on columns are combined with a ',' separator.<br /> Important: If you are working with multi map, make sure to define a key on each parent entity using the isPartOfKey property as defined in the contracts above. Otherwise you might end up with duplicated results.

HTTP request
GET /api/Person/1
HTTP response body
{
  "Id": 1,
  "Name": "Luke",
  "Gender": 1,
  "AccessRights": 7,
  "BankAccounts": [
    {
      "Id": 100,
      "Name": "Personal"
    },
    {
      "Id": 101,
      "Name": "Savings"
    }
  ],
  "PetId": 10
}
CreatePerson
Stored Procedures\createperson.sql
-- @Name CreatePerson
-- @Return ClrTypes:int Mode:Single
CREATE PROCEDURE [dbo].[createperson] @name NVARCHAR(255), @gender TINYINT, @accessrights TINYINT, @petid BIGINT
AS
    DECLARE @personid INT = 1

    DECLARE @persons TABLE
    (
        [personid]     INT           NOT NULL
      , [name]         NVARCHAR(128) NOT NULL
      , [gender]       TINYINT       NOT NULL
      , [accessrights] TINYINT       NOT NULL
      , [petid]        BIGINT        NULL
      , PRIMARY KEY([personid])
    )
    INSERT INTO @persons ([personid], [name], [gender], [accessrights], [petid])
    VALUES (@personid, @name, @gender, @accessrights, @petid)

    SELECT @personid
HTTP request
POST /api/Person
{
  "Name": "Luke",
  "Gender": 1,
  "Rights": 7,
  "PetId": 10
}
Remarks

As you can see here the stored procedure parameter accessrights doesn't match a property on the body. It will however be mapped from Rights, because a custom parameter mapping using the BODY source was defined in the endpoint configuration above. This is useful if the names of the client property and the parameter name in the target stored procedure differ.

HTTP response body
1
UpdatePerson
Stored Procedures\updateperson.sql
-- @Name UpdatePerson
CREATE PROCEDURE [dbo].[updateperson] @personid INT, @name NVARCHAR(255), @gender TINYINT, @accessrights TINYINT, @pets [dbo].[udt_petset] READONLY
AS
    UPDATE @persons SET [name] = @name, [gender] = @gender, [accessrights] = @accessrights
    WHERE [personid] = @personid

    -- Do something with @pets, like MERGE
HTTP request
PUT /api/Person/1
{
  "Name": "Luke",
  "Gender": 1,
  "AccessRights": 7,
  "Pets": [
    {
      "Name": "Pet",
      "Kind": 1
    }
  ]
}
Remarks

The body contains a collection property named Pets. Collections will be mapped to a UDT, which needs to exist in the target database. In this case [dbo].[udt_petset]. The properties of the collection items will be mapped to matching columns of the UDT.<br /> For this endpoint there are some custom parameter mappings defined in the endpoint configuration above:

  • The position column of the UDT just serves as a primary key and will be mapped from the index of the item in the collection. This is done using the internal $INDEX property on the ITEM source.
  • The type column of the UDT will be mapped from the Kind property of each instance of Pet.
  • The name column doesn't require a mapping and will be automatically mapped from the matching Name property of each instance of Pet.
UpdatePersonName
Stored Procedures\updatepersonname.sql
-- @Name UpdatePersonName
CREATE PROCEDURE [dbo].[updatepersonname] @personid INT, @name NVARCHAR(255)
AS
    UPDATE @persons SET [name] = @name
    WHERE [personid] = @personid
HTTP request
PATCH /api/Person/1/Name/Luke
DeletePersons
Stored Procedures\deletepersons.sql
-- @Name DeletePersons
CREATE PROCEDURE [dbo].[deletepersons] @personids [dbo].[udt_intset] READONLY
AS
    DELETE [p]
    FROM @persons AS [p]
    INNER JOIN @personids AS [pi] ON [p].[personid] = [pi].[personid]
HTTP request
DELETE /api/Person?personIds[]=1&personIds[]=2

Compiling the project

Once you have created all the necessary artifacts, you can build the database project. With the Dibix MSBuild targets automatically integrated into the build pipeline, you end up with a couple of additional files along with the .dacpac file in your output directory:

  1. An <Area>.dbx endpoint package file that contains everything to feed the Dibix.Http.Host with the REST endpoints and their SQL targets defined in this project.
  2. An <OutputName>.dll assembly, that contains only the C# accessors for the SQL artifacts defined in the project. This can be useful in any C# application, such an integration test project or backend application, like the Dibix Worker Host, for example.
  3. An <Area>.Client.dll assembly, that contains the C# http client which can be used, to contact the REST endpoints, defined within the project. See this section for more details.
  4. The OpenAPI definition as <Area>.yml and <Area>.json.

Hosting

There are currently two hosting applications for different purposes. You can download both as zip from the latest release. See below for more detail.

Dibix Http Host

This application hosts REST endpoint packages generated by database projects. For first time use, these are the minimum steps, that must be configured in the appsettings.json file within the root folder of the application:

  1. The connection string to the database (Database:ConnectionString)
  2. The URL of the OIDC authority used to verify incoming JWT bearer tokens (Authentication:Authority)

To register a package, place it in the Packages folder and add it to the Hosting:Packages section in the appsettings.json.

Dibix Worker Host

This application hosts worker assemblies that can contain long running background jobs, such as a simple worker or Service Broker message subscribers.

These workers can be developed using the abstractions defined in the Dibix.Worker.Abstractions nuget package. For first time use, the only required setting in the appsettings.json file is the connection string to the database (Database:ConnectionString)

To register a worker assembly, place it in the Workers folder and add it to the Hosting:Workers section in the appsettings.json.

Consuming endpoints

If the project contains any HTTP endpoints, a client assembly and an OpenAPI document are also created during compilation. The client assembly contains a service interface and implementation for each endpoint defined in the project along with their referenced contracts. A host project can consume these client assemblies and register the implementation in the DI container to make the interface available to consumers via IoC. <br /> The implementation is based on the Dibix.Http.Client runtime and the generated services may require a few dependencies: | Type | Required | Implementation(s) | | - | - | - | | IHttpClientFactory | Optional |DefaultHttpClientFactory | | IHttpAuthorizationProvider | Required (if endpoint requires authorization) | - |

The OpenAPI document will be generated in YAML and JSON format and can be used to generate other artifacts, for example clients in other languages like TypeScript.

Syntax reference

Stored procedure

In this section, the markup properties to declare input and output of the stored procedure is explained in more detail. The documentation is still in progress. You can also have a look at these tests for more examples.

Name

PascalCase naming is recommended for referencing actions in API definitions. If all lower case naming is used in T-SQL, this enables you to generate a PascalCase name for the action.

-- @Name GetPersons
{
  "Person": [
    {
      "target": "GetPersons"
    }
  ]
}
Namespace

Allows to group actions into a separate (relative) namespace.

-- @Name GetPersons
-- @Namespace Group
{
  "Person": [
    {
      "target": "Group.GetPersons"
    }
  ]
}

To be continued...

Contract

In this section the schema for defining contracts is described. The documentation is still in progress. For now you can use the JSON schema as a reference or have a look at these tests as samples.

Endpoint

In this section the schema for defining endpoints is described. The documentation is still in progress. For the sake of completeness, you can use the JSON schema as a reference.

An endpoint JSON starts with a root object. Each property inside the root object maps to an endpoint. An endpoint is similar to a controller in ASP.NET. The property name defines the name of the endpoint. Along with the area name (based on the component name), it controls the URL of the API: api/{areaName}/{endpointName}.

{
  "EndpointName": [
    {
      "method": "GET",
      "target": "GetEntity",
      "childRoute": "{id}"
    }
  ]
}

Each endpoint object consists of an array, in which the respective actions are defined. To ensure a RESTful API, each action is distinguished by its HTTP verb, which follows CRUD operations, and a unique path. To extend the path to the API, the childRoute property can be used, which is appended to the path base, extending the route template as such: api/{areaName}/{endpointName}/{childRoute}.

Target

The target property should contain the name of the stored procedure that is invoked by this API action.

To be continued...

HTTP status code

By default Dibix endpoints return 200 OK for operations that have a result and 204 NoContent for those that do not return a result.<br /> However sometimes you need to return a different HTTP status code, for example to indicate that the request is invalid. Ideally you could return a different response body along with a specific HTTP status code, however this is not an easy task and gets very complex with the current way how response types are declared and also validated with the according T-SQL output statements.<br /> Therefore currently it's only possible to return a specific HTTP status code (supported are currently some client and some server errors) along with an additional error code and a message, both which are returned as custom HTTP response headers.

To return an error response, use the T-SQL THROW statement

4xx client error

Supported: Code|Name|Sample use cases | - | - | - | | 400 | BadRequest | Client syntax error (malformed request) | | 401 | Unauthorized | Either the request is missing credentials or the credentials were not accepted | | 403 | Forbidden | The authorized user is not allowed to access the current resource | | 404 | NotFound | Resource with given ID not found, Feature not available/configured | | 409 | Conflict | The resource is currently locked by another request (might resolve by retry) | | 422 | UnprocessableEntity | The client content was not accepted because of a semantic error (i.E. schema validation) |

SQL
THROW 404017, N'Service not available', 1

The error code of the THROW statement is used to indicate the HTTP status code (first three digits) and a custom error code (last three digits) for the application/feature, which can be used for custom handling or resolve a translation for the error message on the client.<br />

HTTP response
HTTP/1.1 404 Not Found
X-Error-Code: 17
X-Error-Description: Service not available
5xx server error (Supported: 504)

For server errors, custom error codes are not supported, since they quite possibly cannot be fixed/handled by the client and could also disclose sensitive information.<br />

Supported: Code|Name|Sample use cases | - | - | - | | 504 | GatewayTimeout | External service did not respond in time |

SQL
THROW 504000, N'Request with id '' + @id + '' timed out', 1
HTTP response
HTTP/1.1 504 Gateway Timeout

Builtin parameter source providers

This section describes known parameter sources that are already registered and can help to dynamically map a stored procedure parameter from. They are used in the endpoint definition json and are accessible within the parameter configuration.

QUERY

This source provides access to the query string arguments.

PATH

This source provides access to the path segment arguments. For example use PATH.userId to access the userId parameter in the URL User/{userId}.

BODY

This source provides access to the properties on a JSON object supplied in the body. It requires the body property to be set on the action definition to specify the expected contract of the body.

Sample:

{
  "Person": [
    {
      "method": "POST",
      "target": "CreatePerson",
      "body": "CreatePersonRequest",
      "params": {
        "accessrights": "BODY.Rights"
      }
    }
  ]
}

This source provides access to the request headers. For example HEADER.Authorization.

REQUEST

This source provides access to the HTTP request. It supports the following properties: PropertyName|Type|Value | - | - | - | | Language | string | The value provided in the Accept-Language header |

ENV

This source provides access to the server environment. It supports the following properties: PropertyName|Type|Value | - | - | - | | MachineName | string | The value of System.Environment.MachineName | | CurrentProcessId | int | The value of System.Diagnostics.Process.GetCurrentProcess().Id

Product Compatible and additional computed target framework versions.
.NET net5.0 was computed.  net5.0-windows was computed.  net6.0 was computed.  net6.0-android was computed.  net6.0-ios was computed.  net6.0-maccatalyst was computed.  net6.0-macos was computed.  net6.0-tvos was computed.  net6.0-windows was computed.  net7.0 was computed.  net7.0-android was computed.  net7.0-ios was computed.  net7.0-maccatalyst was computed.  net7.0-macos was computed.  net7.0-tvos was computed.  net7.0-windows was computed.  net8.0 was computed.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed. 
.NET Core netcoreapp2.0 was computed.  netcoreapp2.1 was computed.  netcoreapp2.2 was computed.  netcoreapp3.0 was computed.  netcoreapp3.1 was computed. 
.NET Standard netstandard2.0 is compatible.  netstandard2.1 was computed. 
.NET Framework net461 was computed.  net462 was computed.  net463 was computed.  net47 was computed.  net471 was computed.  net472 was computed.  net48 is compatible.  net481 was computed. 
MonoAndroid monoandroid was computed. 
MonoMac monomac was computed. 
MonoTouch monotouch was computed. 
Tizen tizen40 was computed.  tizen60 was computed. 
Xamarin.iOS xamarinios was computed. 
Xamarin.Mac xamarinmac was computed. 
Xamarin.TVOS xamarintvos was computed. 
Xamarin.WatchOS xamarinwatchos was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (2)

Showing the top 2 NuGet packages that depend on Dibix.Http.Client:

Package Downloads
Dibix.Testing

Seamlessly create use case oriented REST APIs based on T-SQL stored procedures.

Dibix.Worker.Abstractions

Seamlessly create use case oriented REST APIs based on T-SQL stored procedures.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last updated
1.3.26 126 4/12/2024
1.3.24 148 4/10/2024
1.3.20 203 3/27/2024
1.3.14 228 3/6/2024
1.3.11 191 2/27/2024
1.3.7 175 2/20/2024
1.3.4 184 2/6/2024
1.3.2 155 2/2/2024
1.2.221 172 1/31/2024
1.2.219 169 1/30/2024
1.2.212 172 1/23/2024
1.2.207 188 1/16/2024
1.2.200 254 12/14/2023
1.2.194 243 11/27/2023
1.2.191 222 11/10/2023
1.2.189 198 11/8/2023
1.2.187 186 11/6/2023
1.2.173 217 10/26/2023
1.2.171 194 10/25/2023
1.2.163 190 10/19/2023
1.2.151 218 9/19/2023
1.2.149 165 9/19/2023
1.2.146 301 9/6/2023
1.2.142 327 8/1/2023
1.2.136 287 6/1/2023
1.2.126 288 5/25/2023
1.2.120 252 5/23/2023
1.2.117 225 5/22/2023
1.2.115 231 5/22/2023
1.2.112 274 5/19/2023
1.2.110 278 5/12/2023
1.2.107 304 5/10/2023
1.2.106 320 5/6/2023
1.2.105 294 5/5/2023
1.2.101 321 5/3/2023
1.2.96 379 4/17/2023
1.2.95 332 4/17/2023
1.2.85 278 3/28/2023
1.2.84 350 3/27/2023
1.2.83 325 3/25/2023
1.2.76 331 3/20/2023
1.2.74 340 3/8/2023
1.2.72 338 3/7/2023
1.2.70 361 3/1/2023
1.2.60 411 2/2/2023
1.2.59 439 1/20/2023
1.2.58 402 1/19/2023
1.2.57 441 12/9/2022
1.2.50 487 11/25/2022
1.2.49 483 11/21/2022
1.2.48 479 11/16/2022
1.2.47 490 11/14/2022
1.2.45 515 11/10/2022
1.2.43 514 11/9/2022
1.2.38 521 11/7/2022
1.2.37 517 11/3/2022
1.2.36 491 10/31/2022
1.2.31 587 9/29/2022
1.2.30 639 9/27/2022
1.2.28 629 9/23/2022
1.2.23 699 9/14/2022
1.2.20 911 9/13/2022
1.2.19 638 9/7/2022
1.2.17 653 8/30/2022
1.2.14 787 8/29/2022
1.2.11 629 8/23/2022
1.2.9 670 8/4/2022
1.2.5 658 7/28/2022
1.1.167 495 12/1/2022
1.1.159 697 7/21/2022
1.1.155 722 6/23/2022
1.1.154 692 6/22/2022
1.1.151 700 6/20/2022
1.1.150 766 6/7/2022
1.1.148 744 6/3/2022
1.1.146 738 6/2/2022
1.1.144 732 6/1/2022
1.1.143 735 5/31/2022
1.1.142 739 5/25/2022
1.1.139 716 5/23/2022
1.1.137 747 5/19/2022
1.1.131 777 5/17/2022
1.1.115 761 4/29/2022
1.1.109 729 4/25/2022
1.1.106 719 4/21/2022
1.1.104 694 4/21/2022
1.1.99 773 4/4/2022
1.1.98 677 4/1/2022
1.1.97 732 4/1/2022
1.1.96 726 3/31/2022
1.1.95 763 3/30/2022
1.1.92 744 3/28/2022
1.1.89 731 3/23/2022
1.1.88 729 3/16/2022
1.1.86 720 3/15/2022
1.1.84 732 3/8/2022
1.1.83 711 3/4/2022
1.1.82 736 2/17/2022
1.1.80 722 2/10/2022
1.1.79 705 2/9/2022
1.1.78 761 2/8/2022
1.1.77 753 2/7/2022
1.1.76 729 2/3/2022
1.1.75 689 2/1/2022
1.1.74 699 1/31/2022
1.1.72 680 1/28/2022
1.1.69 687 1/26/2022
1.1.68 754 1/25/2022
1.1.67 697 1/24/2022
1.1.63 722 1/13/2022
1.1.60 470 1/6/2022
1.1.59 436 1/6/2022
1.1.57 462 12/21/2021
1.1.56 411 12/20/2021
1.1.53 412 12/17/2021
1.1.51 450 12/6/2021
1.1.49 929 12/3/2021
1.1.48 1,224 12/1/2021
1.1.46 3,174 11/25/2021
1.1.45 473 11/18/2021
1.1.43 506 11/17/2021
1.1.40 471 11/16/2021
1.1.38 530 11/10/2021
1.1.33 539 11/8/2021
1.1.32 502 11/8/2021
1.1.31 481 11/3/2021
1.1.30 516 10/29/2021
1.1.28 492 10/28/2021
1.1.27 494 10/14/2021
1.1.25 455 10/14/2021
1.1.24 544 10/11/2021
1.1.22 499 10/5/2021
1.1.21 501 9/21/2021
1.1.19 482 9/20/2021
1.1.18 532 9/20/2021
1.1.17 516 9/16/2021
1.1.14 506 9/8/2021
1.1.13 480 9/7/2021
1.1.12 491 9/7/2021
1.1.10 486 9/6/2021
1.1.9 474 9/3/2021
1.1.8 515 8/26/2021
1.1.6 487 8/16/2021
1.1.5 510 8/10/2021
1.1.3 495 8/9/2021
1.1.2 515 8/6/2021
1.1.1 1,023 7/27/2021
1.0.134 577 7/1/2021